home *** CD-ROM | disk | FTP | other *** search
/ PC World Komputer 2010 April / PCWorld0410.iso / pluginy Firefox / 68161 / 68161.xpi / chrome / skin / mootools.js next >
Text File  |  2010-01-30  |  139KB  |  5,572 lines

  1. /*
  2. Script: Moo.js
  3.     My Object Oriented javascript.
  4.  
  5. Author:
  6.     Valerio Proietti, <http://mad4milk.net>
  7.  
  8. License:
  9.     MIT-style license.
  10.  
  11. Mootools Credits:
  12.     - Class is slightly based on Base.js <http://dean.edwards.name/weblog/2006/03/base/> (c) 2006 Dean Edwards, License <http://creativecommons.org/licenses/LGPL/2.1/>
  13.     - Some functions are based on those found in prototype.js <http://prototype.conio.net/> (c) 2005 Sam Stephenson sam [at] conio [dot] net, MIT-style license
  14.     - Documentation by Aaron Newton (aaron.newton [at] cnet [dot] com) and Valerio Proietti.
  15. */
  16.  
  17. /*
  18. Class: Class
  19.     The base class object of the <http://mootools.net> framework.
  20.  
  21. Arguments:
  22.     properties - the collection of properties that apply to the class. Creates a new class, its initialize method will fire upon class instantiation.
  23.  
  24. Example:
  25.     (start code)
  26.     var Cat = new Class({
  27.         initialize: function(name){
  28.             this.name = name;
  29.         }
  30.     });
  31.     var myCat = new Cat('Micia');
  32.     alert myCat.name; //alerts 'Micia'
  33.     (end)
  34. */
  35.  
  36. var Class = function(properties){
  37.     var klass = function(){
  38.         if (this.initialize && arguments[0] != 'noinit') return this.initialize.apply(this, arguments);
  39.         else return this;
  40.     };
  41.     for (var property in this) klass[property] = this[property];
  42.     klass.prototype = properties;
  43.     return klass;
  44. };
  45.  
  46. /*
  47. Property: empty
  48.     Returns an empty function
  49. */
  50.  
  51. Class.empty = function(){};
  52.  
  53. Class.prototype = {
  54.  
  55.     /*
  56.     Property: extend
  57.         Returns the copy of the Class extended with the passed in properties.
  58.  
  59.     Arguments:
  60.         properties - the properties to add to the base class in this new Class.
  61.  
  62.     Example:
  63.         (start code)
  64.         var Animal = new Class({
  65.             initialize: function(age){
  66.                 this.age = age;
  67.             }
  68.         });
  69.         var Cat = Animal.extend({
  70.             initialize: function(name, age){
  71.                 this.parent(age); //will call the previous initialize;
  72.                 this.name = name;
  73.             }
  74.         });
  75.         var myCat = new Cat('Micia', 20);
  76.         alert myCat.name; //alerts 'Micia'
  77.         alert myCat.age; //alerts 20
  78.         (end)
  79.     */
  80.  
  81.     extend: function(properties){
  82.         var pr0t0typ3 = new this('noinit');
  83.  
  84.         var parentize = function(previous, current){
  85.             if (!previous.apply || !current.apply) return false;
  86.             return function(){
  87.                 this.parent = previous;
  88.                 return current.apply(this, arguments);
  89.             };
  90.         };
  91.  
  92.         for (var property in properties){
  93.             var previous = pr0t0typ3[property];
  94.             var current = properties[property];
  95.             if (previous && previous != current) current = parentize(previous, current) || current;
  96.             pr0t0typ3[property] = current;
  97.         }
  98.         return new Class(pr0t0typ3);
  99.     },
  100.  
  101.     /*
  102.     Property: implement
  103.         Implements the passed in properties to the base Class prototypes, altering the base class, unlike <Class.extend>.
  104.  
  105.     Arguments:
  106.         properties - the properties to add to the base class.
  107.  
  108.     Example:
  109.         (start code)
  110.         var Animal = new Class({
  111.             initialize: function(age){
  112.                 this.age = age;
  113.             }
  114.         });
  115.         Animal.implement({
  116.             setName: function(name){
  117.                 this.name = name
  118.             }
  119.         });
  120.         var myAnimal = new Animal(20);
  121.         myAnimal.setName('Micia');
  122.         alert(myAnimal.name); //alerts 'Micia'
  123.         (end)
  124.     */
  125.  
  126.     implement: function(properties){
  127.         for (var property in properties) this.prototype[property] = properties[property];
  128.     }
  129.  
  130. };
  131.  
  132. /* Section: Object related Functions */
  133.  
  134. /*
  135. Function: Object.extend
  136.     Copies all the properties from the second passed object to the first passed Object.
  137.     If you do myWhatever.extend = Object.extend the first parameter will become myWhatever, and your extend function will only need one parameter.
  138.  
  139. Example:
  140.     (start code)
  141.     var firstOb = {
  142.         'name': 'John',
  143.         'lastName': 'Doe'
  144.     };
  145.     var secondOb = {
  146.         'age': '20',
  147.         'sex': 'male',
  148.         'lastName': 'Dorian'
  149.     };
  150.     Object.extend(firstOb, secondOb);
  151.     //firstOb will become: 
  152.     {
  153.         'name': 'John',
  154.         'lastName': 'Dorian',
  155.         'age': '20',
  156.         'sex': 'male'
  157.     };
  158.     (end)
  159.  
  160. Returns:
  161.     The first object, extended.
  162. */
  163.  
  164. Object.extend = function(){
  165.     var args = arguments;
  166.     args = (args[1]) ? [args[0], args[1]] : [this, args[0]];
  167.     for (var property in args[1]) args[0][property] = args[1][property];
  168.     return args[0];
  169. };
  170.  
  171. /*
  172. Function: Object.Native
  173.     Will add a .extend method to the objects passed as a parameter, equivalent to <Class.implement>
  174.  
  175. Arguments:
  176.     a number of classes/native javascript objects
  177.  
  178. */
  179.  
  180. Object.Native = function(){
  181.     for (var i = 0; i < arguments.length; i++) arguments[i].extend = Class.prototype.implement;
  182. };
  183.  
  184. new Object.Native(Function, Array, String, Number, Class);
  185.  
  186. /*
  187. Script: Utility.js
  188.     Contains Utility functions
  189.  
  190. Author:
  191.     Valerio Proietti, <http://mad4milk.net>
  192.  
  193. License:
  194.     MIT-style license.
  195. */
  196.  
  197. //htmlelement
  198.  
  199. if (typeof HTMLElement == 'undefined'){
  200.     var HTMLElement = Class.empty;
  201.     HTMLElement.prototype = {};
  202. } else {
  203.     HTMLElement.prototype.htmlElement = true;
  204. }
  205.  
  206. //window, document
  207.  
  208. window.extend = document.extend = Object.extend;
  209. var Window = window;
  210.  
  211. /*
  212. Function: $type
  213.     Returns the type of object that matches the element passed in.
  214.  
  215. Arguments:
  216.     obj - the object to inspect.
  217.  
  218. Example:
  219.     >var myString = 'hello';
  220.     >$type(myString); //returns "string"
  221.  
  222. Returns:
  223.     'element' - if obj is a DOM element node
  224.     'textnode' - if obj is a DOM text node
  225.     'whitespace' - if obj is a DOM whitespace node
  226.     'array' - if obj is an array
  227.     'object' - if obj is an object
  228.     'string' - if obj is a string
  229.     'number' - if obj is a number
  230.     'boolean' - if obj is a boolean
  231.     'function' - if obj is a function
  232.     false - (boolean) if the object is not defined or none of the above.
  233. */
  234.  
  235. function $type(obj){
  236.     if (obj === null || obj === undefined) return false;
  237.     var type = typeof obj;
  238.     if (type == 'object'){
  239.         if (obj.htmlElement) return 'element';
  240.         if (obj.push) return 'array';
  241.         if (obj.nodeName){
  242.             switch (obj.nodeType){
  243.                 case 1: return 'element';
  244.                 case 3: return obj.nodeValue.test(/\S/) ? 'textnode' : 'whitespace';
  245.             }
  246.         }
  247.     }
  248.     return type;
  249. };
  250.  
  251. /*
  252. Function: $chk
  253.     Returns true if the passed in value/object exists or is 0, otherwise returns false.
  254.     Useful to accept zeroes.
  255. */
  256.  
  257. function $chk(obj){
  258.     return !!(obj || obj === 0);
  259. };
  260.  
  261. /*
  262. Function: $pick
  263.     Returns the first object if defined, otherwise returns the second.
  264. */
  265.  
  266. function $pick(obj, picked){
  267.     return ($type(obj)) ? obj : picked;
  268. };
  269.  
  270. /*
  271. Function: $random
  272.     Returns a random integer number between the two passed in values.
  273.  
  274. Arguments:
  275.     min - integer, the minimum value (inclusive).
  276.     max - integer, the maximum value (inclusive).
  277.  
  278. Returns:
  279.     a random integer between min and max.
  280. */
  281.  
  282. function $random(min, max){
  283.     return Math.floor(Math.random() * (max - min + 1) + min);
  284. };
  285.  
  286. /*
  287. Function: $clear
  288.     clears a timeout or an Interval.
  289.  
  290. Returns:
  291.     null
  292.  
  293. Arguments:
  294.     timer - the setInterval or setTimeout to clear.
  295.  
  296. Example:
  297.     >var myTimer = myFunction.delay(5000); //wait 5 seconds and execute my function.
  298.     >myTimer = $clear(myTimer); //nevermind
  299.  
  300. See also:
  301.     <Function.delay>, <Function.periodical>
  302. */
  303.  
  304. function $clear(timer){
  305.     clearTimeout(timer);
  306.     clearInterval(timer);
  307.     return null;
  308. };
  309.  
  310. /*
  311. Class: window
  312.     Some properties are attached to the window object by the browser detection.
  313.  
  314. Properties:
  315.     window.ie - will be set to true if the current browser is internet explorer (any).
  316.     window.ie6 - will be set to true if the current browser is internet explorer 6.
  317.     window.ie7 - will be set to true if the current browser is internet explorer 7.
  318.     window.khtml - will be set to true if the current browser is Safari/Konqueror.
  319.     window.gecko - will be set to true if the current browser is Mozilla/Gecko.
  320. */
  321.  
  322. if (window.ActiveXObject) window.ie = window[window.XMLHttpRequest ? 'ie7' : 'ie6'] = true;
  323. else if (document.childNodes && !document.all && !navigator.taintEnabled) window.khtml = true;
  324. else if (document.getBoxObjectFor != null) window.gecko = true;
  325.  
  326. //enables background image cache for internet explorer 6
  327.  
  328. if (window.ie6) try {document.execCommand("BackgroundImageCache", false, true);} catch (e){};
  329.  
  330. /*
  331. Script: Array.js
  332.     Contains Array prototypes, <$A>, <$each>
  333.  
  334. Authors:
  335.     - Christophe Beyls, <http://digitalia.be>
  336.     - Valerio Proietti, <http://mad4milk.net>
  337.  
  338. License:
  339.     MIT-style license.
  340. */
  341.  
  342. /*
  343. Class: Array
  344.     A collection of The Array Object prototype methods.
  345. */
  346.  
  347. //emulated methods
  348.  
  349. /*
  350. Property: forEach
  351.     Iterates through an array; This method is only available for browsers without native *forEach* support.
  352.     For more info see <http://developer.mozilla.org/en/docs/Core_JavaScript_1.5_Reference:Global_Objects:Array:forEach>
  353. */
  354.  
  355. Array.prototype.forEach = Array.prototype.forEach || function(fn, bind){
  356.     for (var i = 0; i < this.length; i++) fn.call(bind, this[i], i, this);
  357. };
  358.  
  359. /*
  360. Property: filter
  361.     This method is provided only for browsers without native *filter* support.
  362.     For more info see <http://developer.mozilla.org/en/docs/Core_JavaScript_1.5_Reference:Objects:Array:filter>
  363. */
  364.  
  365. Array.prototype.filter = Array.prototype.filter || function(fn, bind){
  366.     var results = [];
  367.     for (var i = 0; i < this.length; i++){
  368.         if (fn.call(bind, this[i], i, this)) results.push(this[i]);
  369.     }
  370.     return results;
  371. };
  372.  
  373. /*
  374. Property: map
  375.     This method is provided only for browsers without native *map* support.
  376.     For more info see <http://developer.mozilla.org/en/docs/Core_JavaScript_1.5_Reference:Global_Objects:Array:map>
  377. */
  378.  
  379. Array.prototype.map = Array.prototype.map || function(fn, bind){
  380.     var results = [];
  381.     for (var i = 0; i < this.length; i++) results[i] = fn.call(bind, this[i], i, this);
  382.     return results;
  383. };
  384.  
  385. /*
  386. Property: every
  387.     This method is provided only for browsers without native *every* support.
  388.     For more info see <http://developer.mozilla.org/en/docs/Core_JavaScript_1.5_Reference:Global_Objects:Array:every>
  389. */
  390.  
  391. Array.prototype.every = Array.prototype.every || function(fn, bind){
  392.     for (var i = 0; i < this.length; i++){
  393.         if (!fn.call(bind, this[i], i, this)) return false;
  394.     }
  395.     return true;
  396. };
  397.  
  398. /*
  399. Property: some
  400.     This method is provided only for browsers without native *some* support.
  401.     For more info see <http://developer.mozilla.org/en/docs/Core_JavaScript_1.5_Reference:Global_Objects:Array:some>
  402. */
  403.  
  404. Array.prototype.some = Array.prototype.some || function(fn, bind){
  405.     for (var i = 0; i < this.length; i++){
  406.         if (fn.call(bind, this[i], i, this)) return true;
  407.     }
  408.     return false;
  409. };
  410.  
  411. /*
  412. Property: indexOf
  413.     This method is provided only for browsers without native *indexOf* support.
  414.     For more info see <http://developer.mozilla.org/en/docs/Core_JavaScript_1.5_Reference:Global_Objects:Array:indexOf>
  415. */
  416.  
  417. Array.prototype.indexOf = Array.prototype.indexOf || function(item, from){
  418.     from = from || 0;
  419.     if (from < 0) from = Math.max(0, this.length + from);
  420.     while (from < this.length){
  421.         if(this[from] === item) return from;
  422.         from++;
  423.     }
  424.     return -1;
  425. };
  426.  
  427. //custom methods
  428.  
  429. Array.extend({
  430.  
  431.     /*
  432.     Property: each
  433.         Same as <Array.forEach>.
  434.  
  435.     Arguments:
  436.         fn - the function to execute with each item in the array
  437.         bind - optional, the object that the "this" of the function will refer to.
  438.  
  439.     Example:
  440.         >var Animals = ['Cat', 'Dog', 'Coala'];
  441.         >Animals.forEach(function(animal){
  442.         >    document.write(animal)
  443.         >});
  444.     */
  445.  
  446.     each: Array.prototype.forEach,
  447.  
  448.     /*
  449.     Property: copy
  450.         returns a copy of the array.
  451.  
  452.     Returns:
  453.         a new array which is a copy of the current one.
  454.     
  455.     Arguments:
  456.         start - optional, the index where to start the copy, default is 0. If negative, it is taken as the offset from the end of the array.
  457.         length - optional, the number of elements to copy. By default, copies all elements from start to the end of the array.
  458.  
  459.     Example:
  460.         >var letters = ["a","b","c"];
  461.         >var copy = letters.copy();        // ["a","b","c"] (new instance)
  462.     */
  463.  
  464.     copy: function(start, length){
  465.         start = start || 0;
  466.         if (start < 0) start = this.length + start;
  467.         length = length || (this.length - start);
  468.         var newArray = [];
  469.         for (var i = 0; i < length; i++) newArray[i] = this[start++];
  470.         return newArray;
  471.     },
  472.  
  473.     /*
  474.     Property: remove
  475.         Removes all occurrences of an item from the array.
  476.  
  477.     Arguments:
  478.         item - the item to remove
  479.  
  480.     Returns:
  481.         the Array with all occurrences of the item removed.
  482.  
  483.     Example:
  484.         >["1","2","3","2"].remove("2") // ["1","3"];
  485.     */
  486.  
  487.     remove: function(item){
  488.         var i = 0;
  489.         while (i < this.length){
  490.             if (this[i] === item) this.splice(i, 1);
  491.             else i++;
  492.         }
  493.         return this;
  494.     },
  495.  
  496.     /*
  497.     Property: test
  498.         Tests an array for the presence of an item.
  499.  
  500.     Arguments:
  501.         item - the item to search for in the array.
  502.         from - optional, the index at which to begin the search, default is 0. If negative, it is taken as the offset from the end of the array.
  503.  
  504.     Returns:
  505.         true - the item was found
  506.         false - it wasn't
  507.  
  508.     Example:
  509.         >["a","b","c"].test("a"); // true
  510.         >["a","b","c"].test("d"); // false
  511.     */
  512.  
  513.     test: function(item, from){
  514.         return this.indexOf(item, from) != -1;
  515.     },
  516.  
  517.     /*
  518.     Property: extend
  519.         Extends an array with another
  520.  
  521.     Arguments:
  522.         newArray - the array to extend ours with
  523.  
  524.     Example:
  525.         >var Animals = ['Cat', 'Dog', 'Coala'];
  526.         >Animals.extend(['Lizard']);
  527.         >//Animals is now: ['Cat', 'Dog', 'Coala', 'Lizard'];
  528.     */
  529.  
  530.     extend: function(newArray){
  531.         for (var i = 0; i < newArray.length; i++) this.push(newArray[i]);
  532.         return this;
  533.     },
  534.  
  535.     /*
  536.     Property: associate
  537.         Creates an object with key-value pairs based on the array of keywords passed in
  538.         and the current content of the array.
  539.  
  540.     Arguments:
  541.         keys - the array of keywords.
  542.  
  543.     Example:
  544.         (start code)
  545.         var Animals = ['Cat', 'Dog', 'Coala', 'Lizard'];
  546.         var Speech = ['Miao', 'Bau', 'Fruuu', 'Mute'];
  547.         var Speeches = Animals.associate(speech);
  548.         //Speeches['Miao'] is now Cat.
  549.         //Speeches['Bau'] is now Dog.
  550.         //...
  551.         (end)
  552.     */
  553.  
  554.     associate: function(keys){
  555.         var obj = {}, length = Math.min(this.length, keys.length);
  556.         for (var i = 0; i < length; i++) obj[keys[i]] = this[i];
  557.         return obj;
  558.     }
  559.  
  560. });
  561.  
  562. /* Section: Utility Functions */
  563.  
  564. /*
  565. Function: $A()
  566.     Same as <Array.copy>, but as function.
  567.     Useful to apply Array prototypes to iterable objects, as a collection of DOM elements or the arguments object.
  568.  
  569. Example:
  570.     (start code)
  571.     function myFunction(){
  572.         $A(arguments).each(argument, function(){
  573.             alert(argument);
  574.         });
  575.     };
  576.     //the above will alert all the arguments passed to the function myFunction.
  577.     (end)
  578. */
  579.  
  580. function $A(array, start, length){
  581.     return Array.prototype.copy.call(array, start, length);
  582. };
  583.  
  584. /*
  585. Function: $each
  586.     use to iterate through iterables that are not regular arrays, such as builtin getElementsByTagName calls, or arguments of a function.
  587.  
  588. Arguments:
  589.     iterable - an iterable element.
  590.     function - function to apply to the iterable.
  591.     bind - optional, the 'this' of the function will refer to this object.
  592. */
  593.  
  594. function $each(iterable, fn, bind){
  595.     return Array.prototype.forEach.call(iterable, fn, bind);
  596. };
  597.  
  598. /*
  599. Script: String.js
  600.     Contains String prototypes and Number prototypes.
  601.  
  602. Author:
  603.     Valerio Proietti, <http://mad4milk.net>
  604.  
  605. License:
  606.     MIT-style license.
  607. */
  608.  
  609. /*
  610. Class: String
  611.     A collection of The String Object prototype methods.
  612. */
  613.  
  614. String.extend({
  615.  
  616.     /*
  617.     Property: test
  618.         Tests a string with a regular expression.
  619.  
  620.     Arguments:
  621.         regex - a string or regular expression object, the regular expression you want to match the string with
  622.         params - optional, if first parameter is a string, any parameters you want to pass to the regex ('g' has no effect)
  623.  
  624.     Returns:
  625.         true if a match for the regular expression is found in the string, false if not.
  626.         See <http://developer.mozilla.org/en/docs/Core_JavaScript_1.5_Reference:Objects:RegExp:test>
  627.  
  628.     Example:
  629.         >"I like cookies".test("cookie"); // returns true
  630.         >"I like cookies".test("COOKIE", "i") // ignore case, returns true
  631.         >"I like cookies".test("cake"); // returns false
  632.     */
  633.  
  634.     test: function(regex, params){
  635.         return ((typeof regex == 'string') ? new RegExp(regex, params) : regex).test(this);
  636.     },
  637.  
  638.     /*
  639.     Property: toInt
  640.         parses a string to an integer.
  641.  
  642.     Returns:
  643.         either an int or "NaN" if the string is not a number.
  644.  
  645.     Example:
  646.         >var value = "10px".toInt(); // value is 10
  647.     */
  648.  
  649.     toInt: function(){
  650.         return parseInt(this);
  651.     },
  652.  
  653.     toFloat: function(){
  654.         return parseFloat(this);
  655.     },
  656.  
  657.     /*
  658.     Property: camelCase
  659.         Converts a hiphenated string to a camelcase string.
  660.  
  661.     Example:
  662.         >"I-like-cookies".camelCase(); //"ILikeCookies"
  663.  
  664.     Returns:
  665.         the camel cased string
  666.     */
  667.  
  668.     camelCase: function(){
  669.         return this.replace(/-\D/g, function(match){
  670.             return match.charAt(1).toUpperCase();
  671.         });
  672.     },
  673.  
  674.     /*
  675.     Property: hyphenate
  676.         Converts a camelCased string to a hyphen-ated string.
  677.  
  678.     Example:
  679.         >"ILikeCookies".hyphenate(); //"I-like-cookies"
  680.     */
  681.  
  682.     hyphenate: function(){
  683.         return this.replace(/\w[A-Z]/g, function(match){
  684.             return (match.charAt(0)+'-'+match.charAt(1).toLowerCase());
  685.         });
  686.     },
  687.  
  688.     /*
  689.     Property: capitalize
  690.         Converts the first letter in each word of a string to Uppercase.
  691.  
  692.     Example:
  693.         >"i like cookies".capitalize(); //"I Like Cookies"
  694.  
  695.     Returns:
  696.         the capitalized string
  697.     */
  698.  
  699.     capitalize: function(){
  700.         return this.toLowerCase().replace(/\b[a-z]/g, function(match){
  701.             return match.toUpperCase();
  702.         });
  703.     },
  704.  
  705.     /*
  706.     Property: trim
  707.         Trims the leading and trailing spaces off a string.
  708.  
  709.     Example:
  710.         >"    i like cookies     ".trim() //"i like cookies"
  711.  
  712.     Returns:
  713.         the trimmed string
  714.     */
  715.  
  716.     trim: function(){
  717.         return this.replace(/^\s+|\s+$/g, '');
  718.     },
  719.  
  720.     /*
  721.     Property: clean
  722.         trims (<String.trim>) a string AND removes all the double spaces in a string.
  723.  
  724.     Returns:
  725.         the cleaned string
  726.  
  727.     Example:
  728.         >" i      like     cookies      \n\n".clean() //"i like cookies"
  729.     */
  730.  
  731.     clean: function(){
  732.         return this.replace(/\s{2,}/g, ' ').trim();
  733.     },
  734.  
  735.     /*
  736.     Property: rgbToHex
  737.         Converts an RGB value to hexidecimal. The string must be in the format of "rgb(255,255,255)" or "rgba(255,255,255,1)";
  738.  
  739.     Arguments:
  740.         array - boolean value, defaults to false. Use true if you want the array ['FF','33','00'] as output instead of "#FF3300"
  741.  
  742.     Returns:
  743.         hex string or array. returns "transparent" if the output is set as string and the fourth value of rgba in input string is 0.
  744.  
  745.     Example:
  746.         >"rgb(17,34,51)".rgbToHex(); //"#112233"
  747.         >"rgba(17,34,51,0)".rgbToHex(); //"transparent"
  748.         >"rgb(17,34,51)".rgbToHex(true); //['11','22','33']
  749.     */
  750.  
  751.     rgbToHex: function(array){
  752.         var rgb = this.match(/\d{1,3}/g);
  753.         return (rgb) ? rgb.rgbToHex(array) : false;
  754.     },
  755.  
  756.     /*
  757.     Property: hexToRgb
  758.         Converts a hexidecimal color value to RGB. Input string must be the hex color value (with or without the hash). Also accepts triplets ('333');
  759.  
  760.     Arguments:
  761.         array - boolean value, defaults to false. Use true if you want the array [255,255,255] as output instead of "rgb(255,255,255)";
  762.  
  763.     Returns:
  764.         rgb string or array.
  765.  
  766.     Example:
  767.         >"#112233".hexToRgb(); //"rgb(17,34,51)"
  768.         >"#112233".hexToRgb(true); //[17,34,51]
  769.     */
  770.  
  771.     hexToRgb: function(array){
  772.         var hex = this.match(/^#?(\w{1,2})(\w{1,2})(\w{1,2})$/);
  773.         return (hex) ? hex.slice(1).hexToRgb(array) : false;
  774.     }
  775.  
  776. });
  777.  
  778. Array.extend({
  779.     
  780.     /*
  781.     Property: rgbToHex
  782.         see <String.rgbToHex>, but as an array method.
  783.     */
  784.     
  785.     rgbToHex: function(array){
  786.         if (this.length < 3) return false;
  787.         if (this[3] && (this[3] == 0) && !array) return 'transparent';
  788.         var hex = [];
  789.         for (var i = 0; i < 3; i++){
  790.             var bit = (this[i]-0).toString(16);
  791.             hex.push((bit.length == 1) ? '0'+bit : bit);
  792.         }
  793.         return array ? hex : '#'+hex.join('');
  794.     },
  795.     
  796.     /*
  797.     Property: hexToRgb
  798.         same as <String.hexToRgb>, but as an array method.
  799.     */
  800.     
  801.     hexToRgb: function(array){
  802.         if (this.length != 3) return false;
  803.         var rgb = [];
  804.         for (var i = 0; i < 3; i++){
  805.             rgb.push(parseInt((this[i].length == 1) ? this[i]+this[i] : this[i], 16));
  806.         }
  807.         return array ? rgb : 'rgb('+rgb.join(',')+')';
  808.     }
  809.  
  810. });
  811.  
  812. /*
  813. Class: Number
  814.     contains the internal method toInt.
  815. */
  816.  
  817. Number.extend({
  818.  
  819.     /*
  820.     Property: toInt
  821.         Returns this number; useful because toInt must work on both Strings and Numbers.
  822.     */
  823.  
  824.     toInt: function(){
  825.         return parseInt(this);
  826.     },
  827.  
  828.     toFloat: function(){
  829.         return parseFloat(this);
  830.     }
  831.  
  832. });
  833.  
  834. /* 
  835. Script: Function.js
  836.     Contains Function prototypes and utility functions .
  837.  
  838. Author:
  839.     Valerio Proietti, <http://mad4milk.net>
  840.  
  841. License:
  842.     MIT-style license.
  843.  
  844. Credits:
  845.     - Some functions are inspired by those found in prototype.js <http://prototype.conio.net/> (c) 2005 Sam Stephenson sam [at] conio [dot] net, MIT-style license
  846. */
  847.  
  848. /*
  849. Class: Function
  850.     A collection of The Function Object prototype methods.
  851. */
  852.  
  853. Function.extend({
  854.  
  855.     /*
  856.     Property: create
  857.         Main function to create closures.
  858.     
  859.     Returns:
  860.         a function.
  861.     
  862.     Arguments:
  863.         options - An Options object.
  864.     
  865.     Options:
  866.         bind - The object that the "this" of the function will refer to. Default is the current function.
  867.         event - If set to true, the function will act as an event listener and receive an event as first argument.
  868.                 If set to a class name, the function will receive a new instance of this class (with the event passed as argument's constructor) as first argument.
  869.                 Default is false.
  870.         arguments - A single argument or array of arguments that will be passed to the function when called.
  871.                     If both the event and arguments options are set, the event is passed as first argument and the arguments array will follow.
  872.                     Default is no custom arguments, the function will receive the standard arguments when called.
  873.         delay - Numeric value: if set, the returned function will delay the actual execution by this amount of milliseconds and return a timer handle when called.
  874.                 Default is no delay.
  875.         periodical - Numeric value: if set, the returned function will periodically perform the actual execution with this specified interval and return a timer handle when called.
  876.                 Default is no periodical execution.
  877.         attempt - If set to true, the returned function will try to execute and return either the results or the error when called. Default is false.
  878.     */
  879.  
  880.     create: function(options){
  881.         var fn = this;
  882.         options = Object.extend({
  883.             'bind': fn, 
  884.             'event': false, 
  885.             'arguments': null, 
  886.             'delay': false, 
  887.             'periodical': false, 
  888.             'attempt': false
  889.         }, options || {});
  890.         if ($chk(options.arguments) && $type(options.arguments) != 'array') options.arguments = [options.arguments];
  891.         return function(event){
  892.             var args;
  893.             if (options.event){
  894.                 event = event || window.event;
  895.                 args = [(options.event === true) ? event : new options.event(event)];
  896.                 if (options.arguments) args = args.concat(options.arguments);
  897.             }
  898.             else args = options.arguments || arguments;
  899.             var returns = function(){
  900.                 return fn.apply(options.bind, args);
  901.             };
  902.             if (options.delay) return setTimeout(returns, options.delay);
  903.             if (options.periodical) return setInterval(returns, options.periodical);
  904.             if (options.attempt){
  905.                 try {
  906.                     return returns();
  907.                 } catch(err){
  908.                     return err;
  909.                 }
  910.             }
  911.             return returns();
  912.         };
  913.     },
  914.  
  915.     /*
  916.     Property: pass
  917.         Shortcut to create closures with arguments and bind.
  918.  
  919.     Returns:
  920.         a function.
  921.  
  922.     Arguments:
  923.         args - the arguments passed. must be an array if arguments > 1
  924.         bind - optional, the object that the "this" of the function will refer to.
  925.  
  926.     Example:
  927.         >myFunction.pass([arg1, arg2], myElement);
  928.     */
  929.  
  930.     pass: function(args, bind){
  931.         return this.create({'arguments': args, 'bind': bind});
  932.     },
  933.     
  934.     /*
  935.     Property: attempt
  936.         Tries to execute the function, returns either the function results or the error.
  937.  
  938.     Arguments:
  939.         args - the arguments passed. must be an array if arguments > 1
  940.         bind - optional, the object that the "this" of the function will refer to.
  941.  
  942.     Example:
  943.         >myFunction.attempt([arg1, arg2], myElement);
  944.     */
  945.  
  946.     attempt: function(args, bind){
  947.         return this.create({'arguments': args, 'bind': bind, 'attempt': true})();
  948.     },
  949.  
  950.     /*
  951.     Property: bind
  952.         method to easily create closures with "this" altered.
  953.  
  954.     Arguments:
  955.         bind - optional, the object that the "this" of the function will refer to.
  956.         args - optional, the arguments passed. must be an array if arguments > 1
  957.  
  958.     Returns:
  959.         a function.
  960.  
  961.     Example:
  962.         >function myFunction(){
  963.         >    this.setStyle('color', 'red');
  964.         >    // note that 'this' here refers to myFunction, not an element
  965.         >    // we'll need to bind this function to the element we want to alter
  966.         >};
  967.         >var myBoundFunction = myFunction.bind(myElement);
  968.         >myBoundFunction(); // this will make the element myElement red.
  969.     */
  970.  
  971.     bind: function(bind, args){
  972.         return this.create({'bind': bind, 'arguments': args});
  973.     },
  974.  
  975.     /*
  976.     Property: bindAsEventListener
  977.         cross browser method to pass event firer
  978.  
  979.     Arguments:
  980.         bind - optional, the object that the "this" of the function will refer to.
  981.         args - optional, the arguments passed. must be an array if arguments > 1
  982.  
  983.     Returns:
  984.         a function with the parameter bind as its "this" and as a pre-passed argument event or window.event, depending on the browser.
  985.  
  986.     Example:
  987.         >function myFunction(event){
  988.         >    alert(event.clientx) //returns the coordinates of the mouse..
  989.         >};
  990.         >myElement.onclick = myFunction.bindAsEventListener(myElement);
  991.     */
  992.  
  993.     bindAsEventListener: function(bind, args){
  994.         return this.create({'bind': bind, 'event': true, 'arguments': args});
  995.     },
  996.  
  997.     /*
  998.     Property: delay
  999.         Delays the execution of a function by a specified duration.
  1000.  
  1001.     Arguments:
  1002.         ms - the duration to wait in milliseconds
  1003.         bind - optional, the object that the "this" of the function will refer to.
  1004.         args - optional, the arguments passed. must be an array if arguments > 1
  1005.  
  1006.     Example:
  1007.         >myFunction.delay(50, myElement) //wait 50 milliseconds, then call myFunction and bind myElement to it
  1008.         >(function(){alert('one second later...')}).delay(1000); //wait a second and alert
  1009.     */
  1010.  
  1011.     delay: function(ms, bind, args){
  1012.         return this.create({'delay': ms, 'bind': bind, 'arguments': args})();
  1013.     },
  1014.  
  1015.     /*
  1016.     Property: periodical
  1017.         Executes a function in the specified intervals of time
  1018.  
  1019.     Arguments:
  1020.         ms - the duration of the intervals between executions.
  1021.         bind - optional, the object that the "this" of the function will refer to.
  1022.         args - optional, the arguments passed. must be an array if arguments > 1
  1023.     */
  1024.  
  1025.     periodical: function(ms, bind, args){
  1026.         return this.create({'periodical': ms, 'bind': bind, 'arguments': args})();
  1027.     }
  1028.  
  1029. });
  1030.  
  1031. /*
  1032. Script: Element.js
  1033.     Contains useful Element prototypes, to be used with the dollar function <$>.
  1034.  
  1035. Authors:
  1036.     - Valerio Proietti, <http://mad4milk.net>
  1037.     - Christophe Beyls, <http://digitalia.be>
  1038.  
  1039. License:
  1040.     MIT-style license.
  1041.  
  1042. Credits:
  1043.     - Some functions are inspired by those found in prototype.js <http://prototype.conio.net/> (c) 2005 Sam Stephenson sam [at] conio [dot] net, MIT-style license
  1044. */
  1045.  
  1046. /*
  1047. Class: Element
  1048.     Custom class to allow all of its methods to be used with any DOM element via the dollar function <$>.
  1049. */
  1050.  
  1051. var Element = new Class({
  1052.  
  1053.     /*
  1054.     Property: initialize
  1055.         Creates a new element of the type passed in.
  1056.  
  1057.     Arguments:
  1058.         el - the tag name for the element you wish to create.
  1059.  
  1060.     Example:
  1061.         >var div = new Element('div');
  1062.     */
  1063.  
  1064.     initialize: function(el){
  1065.         if ($type(el) == 'string') el = document.createElement(el);
  1066.         return $(el);
  1067.     }
  1068.  
  1069. });
  1070.  
  1071. /*
  1072. Section: Utility Functions
  1073.  
  1074. Function: $
  1075.     returns the element passed in with all the Element prototypes applied.
  1076.  
  1077. Arguments:
  1078.     el - a reference to an actual element or a string representing the id of an element
  1079.  
  1080. Example:
  1081.     >$('myElement') // gets a DOM element by id with all the Element prototypes applied.
  1082.     >var div = document.getElementById('myElement');
  1083.     >$(div) //returns an Element also with all the mootools extentions applied.
  1084.  
  1085.     You'll use this when you aren't sure if a variable is an actual element or an id, as
  1086.     well as just shorthand for document.getElementById().
  1087.  
  1088. Returns:
  1089.     a DOM element or false (if no id was found).
  1090.  
  1091. Note:
  1092.     you need to call $ on an element only once to get all the prototypes.
  1093.     But its no harm to call it multiple times, as it will detect if it has been already extended.
  1094. */
  1095.  
  1096. function $(el){
  1097.     if (!el) return false;
  1098.     if (el._element_extended_ || [window, document].test(el)) return el;
  1099.     if ($type(el) == 'string') el = document.getElementById(el);
  1100.     if ($type(el) != 'element') return false;
  1101.     if (['object', 'embed'].test(el.tagName.toLowerCase()) || el.extend) return el;
  1102.     el._element_extended_ = true;
  1103.     Garbage.collect(el);
  1104.     el.extend = Object.extend;
  1105.     if (!(el.htmlElement)) el.extend(Element.prototype);
  1106.     return el;
  1107. };
  1108.  
  1109. //elements class
  1110.  
  1111. var Elements = new Class({});
  1112.  
  1113. new Object.Native(Elements);
  1114.  
  1115. document.getElementsBySelector = document.getElementsByTagName;
  1116.  
  1117. /*
  1118. Function: $$
  1119.     Selects, and extends DOM elements.
  1120.  
  1121. Arguments:
  1122.     HTMLCollection(document.getElementsByTagName, element.childNodes), an array of elements, a string.
  1123.  
  1124. Note:
  1125.     if you loaded <Dom.js>, $$ will also accept CSS Selectors.
  1126.  
  1127. Example:
  1128.     >$$('a') //an array of all anchor tags on the page
  1129.     >$$('a', 'b') //an array of all anchor and bold tags on the page
  1130.     >$$('#myElement') //array containing only the element with id = myElement. (only with <Dom.js>)
  1131.     >$$('#myElement a.myClass') //an array of all anchor tags with the class "myClass" within the DOM element with id "myElement" (only with <Dom.js>)
  1132.  
  1133. Returns:
  1134.     array - array of all the dom elements matched
  1135. */
  1136.  
  1137. function $$(){
  1138.     if (!arguments) return false;
  1139.     if (arguments.length == 1){
  1140.         if (!arguments[0]) return false;
  1141.         if (arguments[0]._elements_extended_) return arguments[0];
  1142.     }
  1143.     var elements = [];
  1144.     $each(arguments, function(selector){
  1145.         switch ($type(selector)){
  1146.             case 'element': elements.push($(selector)); break;
  1147.             case 'string': selector = document.getElementsBySelector(selector);
  1148.             default:
  1149.             if (selector.length){
  1150.                 $each(selector, function(el){
  1151.                     if ($(el)) elements.push(el);
  1152.                 });
  1153.             }
  1154.         }
  1155.     });
  1156.     elements._elements_extended_ = true;
  1157.     return Object.extend(elements, new Elements);
  1158. };
  1159.  
  1160. Elements.Multi = function(property){
  1161.     return function(){
  1162.         var args = arguments;
  1163.         var items = [];
  1164.         var elements = true;
  1165.         $each(this, function(el){
  1166.             var returns = el[property].apply(el, args);
  1167.             if ($type(returns) != 'element') elements = false;
  1168.             items.push(returns);
  1169.         });
  1170.         if (elements) items = $$(items);
  1171.         return items;
  1172.     };
  1173. };
  1174.  
  1175. Element.extend = function(properties){
  1176.     for (var property in properties){
  1177.         HTMLElement.prototype[property] = properties[property];
  1178.         Element.prototype[property] = properties[property];
  1179.         Elements.prototype[property] = Elements.Multi(property);
  1180.     }
  1181. };
  1182.  
  1183. /*
  1184. Class: Element
  1185.     Custom class to allow all of its methods to be used with any DOM element via the dollar function <$>.
  1186. */
  1187.  
  1188. Element.extend({
  1189.  
  1190.     inject: function(el, where){
  1191.         el = $(el) || new Element(el);
  1192.         switch (where){
  1193.             case "before": $(el.parentNode).insertBefore(this, el); break;
  1194.             case "after":
  1195.                 if (!el.getNext()) $(el.parentNode).appendChild(this);
  1196.                 else $(el.parentNode).insertBefore(this, el.getNext());
  1197.                 break;
  1198.             case "inside": el.appendChild(this);
  1199.         }
  1200.         return this;
  1201.     },
  1202.  
  1203.     /*
  1204.     Property: injectBefore
  1205.         Inserts the Element before the passed element.
  1206.  
  1207.     Parameteres:
  1208.         el - a string representing the element to be injected in (myElementId, or div), or an element reference.
  1209.         If you pass div or another tag, the element will be created.
  1210.  
  1211.     Example:
  1212.         >html:
  1213.         ><div id="myElement"></div>
  1214.         ><div id="mySecondElement"></div>
  1215.         >js:
  1216.         >$('mySecondElement').injectBefore('myElement');
  1217.         >resulting html:
  1218.         ><div id="mySecondElement"></div>
  1219.         ><div id="myElement"></div>
  1220.  
  1221.     */
  1222.  
  1223.     injectBefore: function(el){
  1224.         return this.inject(el, 'before');
  1225.     },
  1226.  
  1227.     /*
  1228.     Property: injectAfter
  1229.         Same as <Element.injectBefore>, but inserts the element after.
  1230.     */
  1231.  
  1232.     injectAfter: function(el){
  1233.         return this.inject(el, 'after');
  1234.     },
  1235.  
  1236.     /*
  1237.     Property: injectInside
  1238.         Same as <Element.injectBefore>, but inserts the element inside.
  1239.     */
  1240.  
  1241.     injectInside: function(el){
  1242.         return this.inject(el, 'inside');
  1243.     },
  1244.  
  1245.     /*
  1246.     Property: adopt
  1247.         Inserts the passed element inside the Element. Works as <Element.injectInside> but in reverse.
  1248.  
  1249.     Parameteres:
  1250.         el - a string representing the element to be injected in (myElementId, or div), or an element reference.
  1251.         If you pass div or another tag, the element will be created.
  1252.     */
  1253.  
  1254.     adopt: function(el){
  1255.         this.appendChild($(el) || new Element(el));
  1256.         return this;
  1257.     },
  1258.  
  1259.     /*
  1260.     Property: remove
  1261.         Removes the Element from the DOM.
  1262.  
  1263.     Example:
  1264.         >$('myElement').remove() //bye bye
  1265.     */
  1266.  
  1267.     remove: function(){
  1268.         this.parentNode.removeChild(this);
  1269.         return this;
  1270.     },
  1271.  
  1272.     /*
  1273.     Property: clone
  1274.         Clones the Element and returns the cloned one.
  1275.  
  1276.     Returns: 
  1277.         the cloned element
  1278.  
  1279.     Example:
  1280.         >var clone = $('myElement').clone().injectAfter('myElement');
  1281.         >//clones the Element and append the clone after the Element.
  1282.     */
  1283.  
  1284.     clone: function(contents){
  1285.         var el = this.cloneNode(contents !== false);
  1286.         return $(el);
  1287.     },
  1288.  
  1289.     /*
  1290.     Property: replaceWith
  1291.         Replaces the Element with an element passed.
  1292.  
  1293.     Parameteres:
  1294.         el - a string representing the element to be injected in (myElementId, or div), or an element reference.
  1295.         If you pass div or another tag, the element will be created.
  1296.  
  1297.     Returns:
  1298.         the passed in element
  1299.  
  1300.     Example:
  1301.         >$('myOldElement').replaceWith($('myNewElement')); //$('myOldElement') is gone, and $('myNewElement') is in its place.
  1302.     */
  1303.  
  1304.     replaceWith: function(el){
  1305.         el = $(el) || new Element(el);
  1306.         this.parentNode.replaceChild(el, this);
  1307.         return el;
  1308.     },
  1309.  
  1310.     /*
  1311.     Property: appendText
  1312.         Appends text node to a DOM element.
  1313.  
  1314.     Arguments:
  1315.         text - the text to append.
  1316.  
  1317.     Example:
  1318.         ><div id="myElement">hey</div>
  1319.         >$('myElement').appendText(' howdy'); //myElement innerHTML is now "hey howdy"
  1320.     */
  1321.  
  1322.     appendText: function(text){
  1323.         if (window.ie){
  1324.             switch(this.getTag()){
  1325.                 case 'style': this.styleSheet.cssText = text; return this;
  1326.                 case 'script': this.setProperty('text', text); return this;
  1327.             }
  1328.         }
  1329.         this.appendChild(document.createTextNode(text));
  1330.         return this;
  1331.     },
  1332.  
  1333.     /*
  1334.     Property: hasClass
  1335.         Tests the Element to see if it has the passed in className.
  1336.  
  1337.     Returns:
  1338.          true - the Element has the class
  1339.          false - it doesn't
  1340.      
  1341.     Arguments:
  1342.         className - the class name to test.
  1343.      
  1344.     Example:
  1345.         ><div id="myElement" class="testClass"></div>
  1346.         >$('myElement').hasClass('testClass'); //returns true
  1347.     */
  1348.  
  1349.     hasClass: function(className){
  1350.         return this.className.test('(?:^|\\s)'+className+'(?:\\s|$)');
  1351.     },
  1352.  
  1353.     /*
  1354.     Property: addClass
  1355.         Adds the passed in class to the Element, if the element doesnt already have it.
  1356.  
  1357.     Arguments:
  1358.         className - the class name to add
  1359.  
  1360.     Example: 
  1361.         ><div id="myElement" class="testClass"></div>
  1362.         >$('myElement').addClass('newClass'); //<div id="myElement" class="testClass newClass"></div>
  1363.     */
  1364.  
  1365.     addClass: function(className){
  1366.         if (!this.hasClass(className)) this.className = (this.className+' '+className).clean();
  1367.         return this;
  1368.     },
  1369.  
  1370.     /*
  1371.     Property: removeClass
  1372.         works like <Element.addClass>, but removes the class from the element.
  1373.     */
  1374.  
  1375.     removeClass: function(className){
  1376.         this.className = this.className.replace(new RegExp('(^|\\s)'+className+'(?:\\s|$)'), '$1').clean();
  1377.         return this;
  1378.     },
  1379.  
  1380.     /*
  1381.     Property: toggleClass
  1382.         Adds or removes the passed in class name to the element, depending on if it's present or not.
  1383.  
  1384.     Arguments:
  1385.         className - the class to add or remove
  1386.  
  1387.     Example:
  1388.         ><div id="myElement" class="myClass"></div>
  1389.         >$('myElement').toggleClass('myClass');
  1390.         ><div id="myElement" class=""></div>
  1391.         >$('myElement').toggleClass('myClass');
  1392.         ><div id="myElement" class="myClass"></div>
  1393.     */
  1394.  
  1395.     toggleClass: function(className){
  1396.         return this.hasClass(className) ? this.removeClass(className) : this.addClass(className);
  1397.     },
  1398.  
  1399.     /*
  1400.     Property: setStyle
  1401.         Sets a css property to the Element.
  1402.  
  1403.         Arguments:
  1404.             property - the property to set
  1405.             value - the value to which to set it
  1406.  
  1407.         Example:
  1408.             >$('myElement').setStyle('width', '300px'); //the width is now 300px
  1409.     */
  1410.  
  1411.     setStyle: function(property, value){
  1412.         if (property == 'opacity') this.setOpacity(parseFloat(value));
  1413.         else this.style[property.camelCase()] = (value.push) ? 'rgb('+value.join(',')+')' : value;
  1414.         return this;
  1415.     },
  1416.  
  1417.     /*
  1418.     Property: setStyles
  1419.         Applies a collection of styles to the Element.
  1420.  
  1421.     Arguments:
  1422.         source - an object or string containing all the styles to apply. You cannot set the opacity using a string.
  1423.  
  1424.     Examples:
  1425.         >$('myElement').setStyles({
  1426.         >    border: '1px solid #000',
  1427.         >    width: '300px',
  1428.         >    height: '400px'
  1429.         >});
  1430.  
  1431.         OR
  1432.  
  1433.         >$('myElement').setStyles('border: 1px solid #000; width: 300px; height: 400px;');
  1434.     */
  1435.  
  1436.     setStyles: function(source){
  1437.         switch ($type(source)){
  1438.             case 'object':
  1439.                 for (var property in source) this.setStyle(property, source[property]);
  1440.                 break;
  1441.             case 'string':
  1442.                 this.style.cssText = source;
  1443.         }
  1444.         return this;
  1445.     },
  1446.  
  1447.     /*
  1448.     Property: setOpacity
  1449.         Sets the opacity of the Element, and sets also visibility == "hidden" if opacity == 0, and visibility = "visible" if opacity > 0.
  1450.  
  1451.     Arguments:
  1452.         opacity - Accepts numbers from 0 to 1.
  1453.  
  1454.     Example:
  1455.         >$('myElement').setOpacity(0.5) //make it 50% transparent
  1456.     */
  1457.  
  1458.     setOpacity: function(opacity){
  1459.         if (opacity == 0){
  1460.             if(this.style.visibility != "hidden") this.style.visibility = "hidden";
  1461.         } else {
  1462.             if(this.style.visibility != "visible") this.style.visibility = "visible";
  1463.         }
  1464.         if (!this.currentStyle || !this.currentStyle.hasLayout) this.style.zoom = 1;
  1465.         if (window.ie) this.style.filter = "alpha(opacity=" + opacity*100 + ")";
  1466.         this.style.opacity = this.opacity = opacity;
  1467.         return this;
  1468.     },
  1469.  
  1470.     /*
  1471.     Property: getStyle
  1472.         Returns the style of the Element given the property passed in.
  1473.  
  1474.     Arguments:
  1475.         property - the css style property you want to retrieve
  1476.  
  1477.     Example:
  1478.         >$('myElement').getStyle('width'); //returns "400px"
  1479.         >//but you can also use
  1480.         >$('myElement').getStyle('width').toInt(); //returns "400"
  1481.  
  1482.     Returns:
  1483.         the style as a string
  1484.     */
  1485.  
  1486.     getStyle: function(property){
  1487.         property = property.camelCase();
  1488.         var style = this.style[property] || false;
  1489.         if (!$chk(style)){
  1490.             if (property == 'opacity') return $chk(this.opacity) ? this.opacity : 1;
  1491.             if (['margin', 'padding'].test(property)){
  1492.                 return [this.getStyle(property+'-top') || 0, this.getStyle(property+'-right') || 0,
  1493.                         this.getStyle(property+'-bottom') || 0, this.getStyle(property+'-left') || 0].join(' ');
  1494.             }
  1495.             if (document.defaultView) style = document.defaultView.getComputedStyle(this, null).getPropertyValue(property.hyphenate());
  1496.             else if (this.currentStyle) style = this.currentStyle[property];
  1497.         }
  1498.         if (style == 'auto' && ['height', 'width'].test(property)) return this['offset'+property.capitalize()]+'px';
  1499.         return (style && property.test(/color/i) && style.test(/rgb/)) ? style.rgbToHex() : style;
  1500.     },
  1501.  
  1502.     /*
  1503.     Property: addEvent
  1504.         Attaches an event listener to a DOM element.
  1505.  
  1506.     Arguments:
  1507.         type - the event to monitor ('click', 'load', etc) without the prefix 'on'.
  1508.         fn - the function to execute
  1509.  
  1510.     Example:
  1511.         >$('myElement').addEvent('click', function(){alert('clicked!')});
  1512.     */
  1513.  
  1514.     addEvent: function(type, fn){
  1515.         this.events = this.events || {};
  1516.         this.events[type] = this.events[type] || {'keys': [], 'values': []};
  1517.         if (!this.events[type].keys.test(fn)){
  1518.             this.events[type].keys.push(fn);
  1519.             if (this.addEventListener){
  1520.                 this.addEventListener((type == 'mousewheel' && window.gecko) ? 'DOMMouseScroll' : type, fn, false);
  1521.             } else {
  1522.                 fn = fn.bind(this);
  1523.                 this.attachEvent('on'+type, fn);
  1524.                 this.events[type].values.push(fn);
  1525.             }
  1526.         }
  1527.         return this;
  1528.     },
  1529.  
  1530.     addEvents: function(source){
  1531.         if (source){
  1532.             for (var type in source) this.addEvent(type, source[type]);
  1533.         }
  1534.         return this;
  1535.     },
  1536.  
  1537.     /*
  1538.     Property: removeEvent
  1539.         Works as Element.addEvent, but instead removes the previously added event listener.
  1540.     */
  1541.  
  1542.     removeEvent: function(type, fn){
  1543.         if (this.events && this.events[type]){
  1544.             var pos = this.events[type].keys.indexOf(fn);
  1545.             if (pos == -1) return this;
  1546.             var key = this.events[type].keys.splice(pos,1)[0];
  1547.             if (this.removeEventListener){
  1548.                 this.removeEventListener((type == 'mousewheel' && window.gecko) ? 'DOMMouseScroll' : type, key, false);
  1549.             } else {
  1550.                 this.detachEvent('on'+type, this.events[type].values.splice(pos,1)[0]);
  1551.             }
  1552.         }
  1553.         return this;
  1554.     },
  1555.  
  1556.     /*
  1557.     Property: removeEvents
  1558.         removes all events of a certain type from an element. if no argument is passed in, removes all events.
  1559.     */
  1560.  
  1561.     removeEvents: function(type){
  1562.         if (this.events){
  1563.             if (type){
  1564.                 if (this.events[type]){
  1565.                     this.events[type].keys.each(function(fn){
  1566.                         this.removeEvent(type, fn);
  1567.                     }, this);
  1568.                     this.events[type] = null;
  1569.                 }
  1570.             } else {
  1571.                 for (var evType in this.events) this.removeEvents(evType);
  1572.                 this.events = null;
  1573.             }
  1574.         }
  1575.         return this;
  1576.     },
  1577.  
  1578.     /*
  1579.     Property: fireEvent
  1580.         executes all events of the specified type present in the element.
  1581.     */
  1582.  
  1583.     fireEvent: function(type, args){
  1584.         if (this.events && this.events[type]){
  1585.             this.events[type].keys.each(function(fn){
  1586.                 fn.bind(this, args)();
  1587.             }, this);
  1588.         }
  1589.     },
  1590.  
  1591.     getBrother: function(what){
  1592.         var el = this[what+'Sibling'];
  1593.         while ($type(el) == 'whitespace') el = el[what+'Sibling'];
  1594.         return $(el);
  1595.     },
  1596.  
  1597.     /*
  1598.     Property: getPrevious
  1599.         Returns the previousSibling of the Element, excluding text nodes.
  1600.  
  1601.     Example:
  1602.         >$('myElement').getPrevious(); //get the previous DOM element from myElement
  1603.  
  1604.     Returns:
  1605.         the sibling element or undefined if none found.
  1606.     */
  1607.  
  1608.     getPrevious: function(){
  1609.         return this.getBrother('previous');
  1610.     },
  1611.  
  1612.     /*
  1613.     Property: getNext
  1614.         Works as Element.getPrevious, but tries to find the nextSibling.
  1615.     */
  1616.  
  1617.     getNext: function(){
  1618.         return this.getBrother('next');
  1619.     },
  1620.  
  1621.     /*
  1622.     Property: getFirst
  1623.         Works as <Element.getPrevious>, but tries to find the firstChild.
  1624.     */
  1625.  
  1626.     getFirst: function(){
  1627.         var el = this.firstChild;
  1628.         while ($type(el) == 'whitespace') el = el.nextSibling;
  1629.         return $(el);
  1630.     },
  1631.  
  1632.     /*
  1633.     Property: getLast
  1634.         Works as <Element.getPrevious>, but tries to find the lastChild.
  1635.     */
  1636.  
  1637.     getLast: function(){
  1638.         var el = this.lastChild;
  1639.         while ($type(el) == 'whitespace') el = el.previousSibling;
  1640.         return $(el);
  1641.     },
  1642.     
  1643.     /*
  1644.     Property: getParent
  1645.         returns the $(element.parentNode)
  1646.     */
  1647.  
  1648.     getParent: function(){
  1649.         return $(this.parentNode);
  1650.     },
  1651.     
  1652.     /*
  1653.     Property: getChildren
  1654.         returns all the $(element.childNodes), excluding text nodes. Returns as <Elements>.
  1655.     */
  1656.  
  1657.     getChildren: function(){
  1658.         return $$(this.childNodes);
  1659.     },
  1660.  
  1661.     /*
  1662.     Property: setProperty
  1663.         Sets an attribute for the Element.
  1664.  
  1665.     Arguments:
  1666.         property - the property to assign the value passed in
  1667.         value - the value to assign to the property passed in
  1668.  
  1669.     Example:
  1670.         >$('myImage').setProperty('src', 'whatever.gif'); //myImage now points to whatever.gif for its source
  1671.     */
  1672.  
  1673.     setProperty: function(property, value){
  1674.         switch (property){
  1675.             case 'class': this.className = value; break;
  1676.             case 'style': this.setStyles(value); break;
  1677.             case 'name': if (window.ie6){
  1678.                 var el = $(document.createElement('<'+this.getTag()+' name="'+value+'" />'));
  1679.                 $each(this.attributes, function(attribute){
  1680.                     if (attribute.name != 'name') el.setProperty(attribute.name, attribute.value);
  1681.                 });
  1682.                 if (this.parentNode) this.replaceWith(el);
  1683.                 return el;
  1684.             }
  1685.             default: this.setAttribute(property, value);
  1686.         }
  1687.         return this;
  1688.     },
  1689.  
  1690.     /*
  1691.     Property: setProperties
  1692.         Sets numerous attributes for the Element.
  1693.  
  1694.     Arguments:
  1695.         source - an object with key/value pairs.
  1696.  
  1697.     Example:
  1698.         (start code)
  1699.         $('myElement').setProperties({
  1700.             src: 'whatever.gif',
  1701.             alt: 'whatever dude'
  1702.         });
  1703.         <img src="whatever.gif" alt="whatever dude">
  1704.         (end)
  1705.     */
  1706.  
  1707.     setProperties: function(source){
  1708.         for (var property in source) this.setProperty(property, source[property]);
  1709.         return this;
  1710.     },
  1711.  
  1712.     /*
  1713.     Property: setHTML
  1714.         Sets the innerHTML of the Element.
  1715.  
  1716.     Arguments:
  1717.         html - the new innerHTML for the element.
  1718.  
  1719.     Example:
  1720.         >$('myElement').setHTML(newHTML) //the innerHTML of myElement is now = newHTML
  1721.     */
  1722.  
  1723.     setHTML: function(){
  1724.         this.innerHTML = $A(arguments).join('');
  1725.         return this;
  1726.     },
  1727.  
  1728.     /*
  1729.     Property: getProperty
  1730.         Gets the an attribute of the Element.
  1731.  
  1732.     Arguments:
  1733.         property - the attribute to retrieve
  1734.  
  1735.     Example:
  1736.         >$('myImage').getProperty('src') // returns whatever.gif
  1737.  
  1738.     Returns:
  1739.         the value, or an empty string
  1740.     */
  1741.  
  1742.     getProperty: function(property){
  1743.         return (property == 'class') ? this.className : this.getAttribute(property);
  1744.     },
  1745.  
  1746.     /*
  1747.     Property: getTag
  1748.         Returns the tagName of the element in lower case.
  1749.  
  1750.     Example:
  1751.         >$('myImage').getTag() // returns 'img'
  1752.  
  1753.     Returns:
  1754.         The tag name in lower case
  1755.     */
  1756.  
  1757.     getTag: function(){
  1758.         return this.tagName.toLowerCase();
  1759.     },
  1760.  
  1761.     /*
  1762.     Property: scrollTo
  1763.         scrolls the element to the specified coordinated (if the element has an overflow)
  1764.  
  1765.     Arguments:
  1766.         x - the x coordinate
  1767.         y - the y coordinate
  1768.  
  1769.     Example:
  1770.         >$('myElement').scrollTo(0, 100)
  1771.     */
  1772.  
  1773.     scrollTo: function(x, y){
  1774.         this.scrollLeft = x;
  1775.         this.scrollTop = y;
  1776.     },
  1777.  
  1778.     /*
  1779.     Property: getValue
  1780.         Returns the value of the Element, if its tag is textarea, select or input. no multiple select support.
  1781.     */
  1782.  
  1783.     getValue: function(){
  1784.         switch (this.getTag()){
  1785.             case 'select':
  1786.                 if (this.selectedIndex != -1){
  1787.                     var opt = this.options[this.selectedIndex];
  1788.                     return opt.value || opt.text;
  1789.                 }
  1790.                 break;
  1791.             case 'input': if (!(this.checked && ['checkbox', 'radio'].test(this.type)) && !['hidden', 'text', 'password'].test(this.type)) break;
  1792.             case 'textarea': return this.value;
  1793.         }
  1794.         return false;
  1795.     },
  1796.     
  1797.     /*
  1798.     Property: getSize
  1799.         return an Object representing the size/scroll values of the element.
  1800.  
  1801.     Example:
  1802.         (start code)
  1803.         $('myElement').getSize();
  1804.         (end)
  1805.  
  1806.     Returns:
  1807.         (start code)
  1808.         {
  1809.             'scroll': {'x': 100, 'y': 100},
  1810.             'size': {'x': 200, 'y': 400},
  1811.             'scrollSize': {'x': 300, 'y': 500}
  1812.         }
  1813.         (end)
  1814.     */
  1815.  
  1816.     getSize: function(){
  1817.         return {
  1818.             'scroll': {'x': this.scrollLeft, 'y': this.scrollTop},
  1819.             'size': {'x': this.offsetWidth, 'y': this.offsetHeight},
  1820.             'scrollSize': {'x': this.scrollWidth, 'y': this.scrollHeight}
  1821.         };
  1822.     },
  1823.  
  1824.     /*
  1825.     Property: getPosition
  1826.         Returns the real offsets of the element.
  1827.  
  1828.     Example:
  1829.         >$('element').getPosition();
  1830.  
  1831.     Returns:
  1832.         >{x: 100, y:500};
  1833.     */
  1834.     
  1835.     getPosition: function(overflown){
  1836.         overflown = overflown || [];
  1837.         var el = this, left = 0, top = 0;
  1838.         do {
  1839.             left += el.offsetLeft || 0;
  1840.             top += el.offsetTop || 0;
  1841.             el = el.offsetParent;
  1842.         } while (el);
  1843.         overflown.each(function(element){
  1844.             left -= element.scrollLeft || 0;
  1845.             top -= element.scrollTop || 0;
  1846.         });
  1847.         return {'x': left, 'y': top};
  1848.     },
  1849.     
  1850.     /*
  1851.     Property: getTop
  1852.         Returns the distance from the top of the window to the Element.
  1853.     */
  1854.  
  1855.     getTop: function(){
  1856.         return this.getPosition().y;
  1857.     },
  1858.  
  1859.     /*
  1860.     Property: getLeft
  1861.         Returns the distance from the left of the window to the Element.
  1862.     */
  1863.  
  1864.     getLeft: function(){
  1865.         return this.getPosition().x;
  1866.     },
  1867.     
  1868.     /*
  1869.     Property: getCoordinates
  1870.         Returns an object with width, height, left, right, top, and bottom, representing the values of the Element
  1871.  
  1872.     Example:
  1873.         (start code)
  1874.         var myValues = $('myElement').getCoordinates();
  1875.         (end)
  1876.  
  1877.     Returns:
  1878.         (start code)
  1879.         {
  1880.             width: 200,
  1881.             height: 300,
  1882.             left: 100,
  1883.             top: 50,
  1884.             right: 300,
  1885.             bottom: 350
  1886.         }
  1887.         (end)
  1888.     */
  1889.     
  1890.     getCoordinates: function(overflown){
  1891.         var position = this.getPosition(overflown);
  1892.         var obj = {
  1893.             'width': this.offsetWidth,
  1894.             'height': this.offsetHeight,
  1895.             'left': position.x,
  1896.             'top': position.y
  1897.         };
  1898.         obj.right = obj.left + obj.width;
  1899.         obj.bottom = obj.top + obj.height;
  1900.         return obj;
  1901.     }
  1902.  
  1903. });
  1904.  
  1905. window.addEvent = document.addEvent = Element.prototype.addEvent;
  1906. window.removeEvent = document.removeEvent = Element.prototype.removeEvent;
  1907. window.removeEvents = document.removeEvents = Element.prototype.removeEvents;
  1908.  
  1909. var Garbage = {
  1910.  
  1911.     elements: [],
  1912.  
  1913.     collect: function(element){
  1914.         Garbage.elements.push(element);
  1915.     },
  1916.  
  1917.     trash: function(){
  1918.         Garbage.collect(window);
  1919.         Garbage.collect(document);
  1920.         Garbage.elements.each(function(el){
  1921.             el.removeEvents();
  1922.             for (var p in Element.prototype) el[p] = null;
  1923.             el.extend = null;
  1924.         });
  1925.     }
  1926.  
  1927. };
  1928.  
  1929. window.addEvent('unload', Garbage.trash);
  1930.  
  1931. /*
  1932. Script: Event.js
  1933.     Event class
  1934.  
  1935. Authors:
  1936.     - Valerio Proietti, <http://mad4milk.net>
  1937.     - Michael Jackson, <http://ajaxon.com/michael>
  1938.  
  1939. License:
  1940.     MIT-style license.
  1941. */
  1942.  
  1943. /*
  1944. Class: Event
  1945.     Cross browser methods to manage events.
  1946.  
  1947. Arguments:
  1948.     event - the event
  1949.  
  1950. Properties:
  1951.     shift - true if the user pressed the shift
  1952.     control - true if the user pressed the control 
  1953.     alt - true if the user pressed the alt
  1954.     meta - true if the user pressed the meta key
  1955.     code - the keycode of the key pressed
  1956.     page.x - the x position of the mouse, relative to the full window
  1957.     page.y - the y position of the mouse, relative to the full window
  1958.     client.x - the x position of the mouse, relative to the viewport
  1959.     client.y - the y position of the mouse, relative to the viewport
  1960.     key - the key pressed as a lowercase string. key also returns 'enter', 'up', 'down', 'left', 'right', 'space', 'backspace', 'delete', 'esc'. Handy for these special keys.
  1961.     target - the event target
  1962.     relatedTarget - the event related target
  1963.  
  1964. Example:
  1965.     (start code)
  1966.     $('myLink').onkeydown = function(event){
  1967.         var event = new Event(event);
  1968.         //event is now the Event class.
  1969.         alert(event.key); //returns the lowercase letter pressed
  1970.         alert(event.shift); //returns true if the key pressed is shift
  1971.         if (event.key == 's' && event.control) alert('document saved');
  1972.     };
  1973.     (end)
  1974. */
  1975.  
  1976. var Event = new Class({
  1977.  
  1978.     initialize: function(event){
  1979.         this.event = event || window.event;
  1980.         this.type = this.event.type;
  1981.         this.target = this.event.target || this.event.srcElement;
  1982.         if (this.target.nodeType == 3) this.target = this.target.parentNode; // Safari
  1983.         this.shift = this.event.shiftKey;
  1984.         this.control = this.event.ctrlKey;
  1985.         this.alt = this.event.altKey;
  1986.         this.meta = this.event.metaKey;
  1987.         if (['DOMMouseScroll', 'mousewheel'].test(this.type)){
  1988.             this.wheel = this.event.wheelDelta ? (this.event.wheelDelta / (window.opera ? -120 : 120)) : -(this.event.detail || 0) / 3;
  1989.         } else if (this.type.test(/key/)){
  1990.             this.code = this.event.which || this.event.keyCode;
  1991.             for (var name in Event.keys){
  1992.                 if (Event.keys[name] == this.code){
  1993.                     this.key = name;
  1994.                     break;
  1995.                 }
  1996.             }
  1997.             this.key = this.key || String.fromCharCode(this.code).toLowerCase();
  1998.  
  1999.         } else if (this.type.test(/mouse/) || (this.type == 'click')){
  2000.             this.page = {
  2001.                 'x': this.event.pageX || this.event.clientX + document.documentElement.scrollLeft,
  2002.                 'y': this.event.pageY || this.event.clientY + document.documentElement.scrollTop
  2003.             };
  2004.             this.client = {
  2005.                 'x': this.event.pageX ? this.event.pageX - window.pageXOffset : this.event.clientX,
  2006.                 'y': this.event.pageY ? this.event.pageY - window.pageYOffset : this.event.clientY
  2007.             };
  2008.             this.rightClick = (this.event.which == 3) || (this.event.button == 2);
  2009.             switch (this.type){
  2010.                 case 'mouseover': this.relatedTarget = this.event.relatedTarget || this.event.fromElement; break;
  2011.                 case 'mouseout': this.relatedTarget = this.event.relatedTarget || this.event.toElement;
  2012.             }
  2013.         }
  2014.     },
  2015.  
  2016.     /*
  2017.     Property: stop
  2018.         cross browser method to stop an event
  2019.     */
  2020.  
  2021.     stop: function() {
  2022.         this.stopPropagation();
  2023.         this.preventDefault();
  2024.         return this;
  2025.     },
  2026.  
  2027.     /*
  2028.     Property: stopPropagation
  2029.         cross browser method to stop the propagation of an event
  2030.     */
  2031.  
  2032.     stopPropagation: function(){
  2033.         if (this.event.stopPropagation) this.event.stopPropagation();
  2034.         else this.event.cancelBubble = true;
  2035.         return this;
  2036.     },
  2037.  
  2038.     /*
  2039.     Property: preventDefault
  2040.         cross browser method to prevent the default action of the event
  2041.     */
  2042.  
  2043.     preventDefault: function(){
  2044.         if (this.event.preventDefault) this.event.preventDefault();
  2045.         else this.event.returnValue = false;
  2046.         return this;
  2047.     }
  2048.  
  2049. });
  2050.  
  2051. Event.keys = {
  2052.     'enter': 13,
  2053.     'up': 38,
  2054.     'down': 40,
  2055.     'left': 37,
  2056.     'right': 39,
  2057.     'esc': 27,
  2058.     'space': 32,
  2059.     'backspace': 8,
  2060.     'delete': 46
  2061. };
  2062.  
  2063. Function.extend({
  2064.  
  2065.     /*
  2066.     Property: bindWithEvent
  2067.         automatically passes mootools Event Class.
  2068.  
  2069.     Arguments:
  2070.         bind - optional, the object that the "this" of the function will refer to.
  2071.  
  2072.     Returns:
  2073.         a function with the parameter bind as its "this" and as a pre-passed argument event or window.event, depending on the browser.
  2074.  
  2075.     Example:
  2076.         >function myFunction(event){
  2077.         >    alert(event.clientx) //returns the coordinates of the mouse..
  2078.         >};
  2079.         >myElement.onclick = myFunction.bindWithEvent(myElement);
  2080.     */
  2081.  
  2082.     bindWithEvent: function(bind, args){
  2083.         return this.create({'bind': bind, 'arguments': args, 'event': Event});
  2084.     }
  2085.  
  2086. });
  2087.  
  2088.  
  2089. /*
  2090. Script: Common.js
  2091.     Contains common implementations for custom classes. In Mootools is implemented in <Ajax>, <XHR> and <Fx.Base>.
  2092.  
  2093. Author:
  2094.     Valerio Proietti, <http://mad4milk.net>
  2095.  
  2096. License:
  2097.     MIT-style license.
  2098. */
  2099.  
  2100. /*
  2101. Class: Chain
  2102.     An "Utility" Class. Its methods can be implemented with <Class.implement> into any <Class>.
  2103.     Currently implemented in <Fx.Base>, <XHR> and <Ajax>. In <Fx.Base> for example, is used to execute a list of function, one after another, once the effect is completed.
  2104.     The functions will not be fired all togheter, but one every completion, to create custom complex animations.
  2105.  
  2106. Example:
  2107.     (start code)
  2108.     var myFx = new Fx.Style('element', 'opacity');
  2109.  
  2110.     myFx.start(1,0).chain(function(){
  2111.         myFx.start(0,1);
  2112.     }).chain(function(){
  2113.         myFx.start(1,0);
  2114.     }).chain(function(){
  2115.         myFx.start(0,1);
  2116.     });
  2117.     //the element will appear and disappear three times
  2118.     (end)
  2119. */
  2120.  
  2121. var Chain = new Class({
  2122.  
  2123.     /*
  2124.     Property: chain
  2125.         adds a function to the Chain instance stack.
  2126.  
  2127.     Arguments:
  2128.         fn - the function to append.
  2129.     */
  2130.  
  2131.     chain: function(fn){
  2132.         this.chains = this.chains || [];
  2133.         this.chains.push(fn);
  2134.         return this;
  2135.     },
  2136.  
  2137.     /*
  2138.     Property: callChain
  2139.         Executes the first function of the Chain instance stack, then removes it. The first function will then become the second.
  2140.     */
  2141.  
  2142.     callChain: function(){
  2143.         if (this.chains && this.chains.length) this.chains.shift().delay(10, this);
  2144.     },
  2145.  
  2146.     /*
  2147.     Property: clearChain
  2148.         Clears the stack of a Chain instance.
  2149.     */
  2150.  
  2151.     clearChain: function(){
  2152.         this.chains = [];
  2153.     }
  2154.  
  2155. });
  2156.  
  2157. /*
  2158. Class: Events
  2159.     An "Utility" Class. Its methods can be implemented with <Class.implement> into any <Class>.
  2160.     In <Fx.Base> Class, for example, is used to give the possibility add any number of functions to the Effects events, like onComplete, onStart, onCancel
  2161.  
  2162. Example:
  2163.     (start code)
  2164.     var myFx = new Fx.Style('element', 'opacity').addEvent('onComplete', function(){
  2165.         alert('the effect is completed');
  2166.     }).addEvent('onComplete', function(){
  2167.         alert('I told you the effect is completed');
  2168.     });
  2169.  
  2170.     myFx.start(0,1);
  2171.     //upon completion it will display the 2 alerts, in order.
  2172.     (end)
  2173. */
  2174.  
  2175. var Events = new Class({
  2176.  
  2177.     /*
  2178.     Property: addEvent
  2179.         adds an event to the stack of events of the Class instance.
  2180.     */
  2181.  
  2182.     addEvent: function(type, fn){
  2183.         if (fn != Class.empty){
  2184.             this.events = this.events || {};
  2185.             this.events[type] = this.events[type] || [];
  2186.             if (!this.events[type].test(fn)) this.events[type].push(fn);
  2187.         }
  2188.         return this;
  2189.     },
  2190.  
  2191.     /*
  2192.     Property: fireEvent
  2193.         fires all events of the specified type in the Class instance.
  2194.     */
  2195.  
  2196.     fireEvent: function(type, args, delay){
  2197.         if (this.events && this.events[type]){
  2198.             this.events[type].each(function(fn){
  2199.                 fn.create({'bind': this, 'delay': delay, 'arguments': args})();
  2200.             }, this);
  2201.         }
  2202.         return this;
  2203.     },
  2204.  
  2205.     /*
  2206.     Property: removeEvent
  2207.         removes an event from the stack of events of the Class instance.
  2208.     */
  2209.  
  2210.     removeEvent: function(type, fn){
  2211.         if (this.events && this.events[type]) this.events[type].remove(fn);
  2212.         return this;
  2213.     }
  2214.  
  2215. });
  2216.  
  2217. /*
  2218. Class: Options
  2219.     An "Utility" Class. Its methods can be implemented with <Class.implement> into any <Class>.
  2220.     Used to automate the options settings, also adding Class <Events> when the option begins with on.
  2221. */
  2222.  
  2223. var Options = new Class({
  2224.  
  2225.     /*
  2226.     Property: setOptions
  2227.         sets this.options
  2228.  
  2229.     Arguments:
  2230.         defaults - the default set of options
  2231.         options - the user entered options. can be empty too.
  2232.  
  2233.     Note:
  2234.         if your Class has <Events> implemented, every option beginning with on, followed by a capital letter (onComplete) becomes an Class instance event.
  2235.     */
  2236.  
  2237.     setOptions: function(defaults, options){
  2238.         this.options = Object.extend(defaults, options);
  2239.         if (this.addEvent){
  2240.             for (var option in this.options){
  2241.                 if (($type(this.options[option]) == 'function') && option.test(/^on[A-Z]/)) this.addEvent(option, this.options[option]);
  2242.             }
  2243.         }
  2244.         return this;
  2245.     }
  2246.  
  2247. });
  2248.  
  2249. /*
  2250. Class: Group
  2251.     An "Utility" Class.
  2252. */
  2253.  
  2254. var Group = new Class({
  2255.  
  2256.     initialize: function(){
  2257.         this.instances = $A(arguments);
  2258.         this.events = {};
  2259.         this.checker = {};
  2260.     },
  2261.     
  2262.     addEvent: function(type, fn){
  2263.         this.checker[type] = this.checker[type] || {};
  2264.         this.events[type] = this.events[type] || [];
  2265.         if (this.events[type].test(fn)) return false;
  2266.         else this.events[type].push(fn);
  2267.         this.instances.each(function(instance, i){
  2268.             instance.addEvent(type, this.check.bind(this, [type, instance, i]));
  2269.         }, this);
  2270.         return this;
  2271.     },
  2272.     
  2273.     check: function(type, instance, i){
  2274.         this.checker[type][i] = true;
  2275.         var every = this.instances.every(function(current, j){
  2276.             return this.checker[type][j] || false;
  2277.         }, this);
  2278.         if (!every) return;
  2279.         this.instances.each(function(current, j){
  2280.             this.checker[type][j] = false;
  2281.         }, this);
  2282.         this.events[type].each(function(event){
  2283.             event.call(this, this.instances, instance);
  2284.         }, this);
  2285.     }
  2286.  
  2287. });
  2288.  
  2289. /*
  2290. Script: Dom.js
  2291.     Css Query related function and <Element> extensions
  2292.  
  2293. Authors:
  2294.     - Valerio Proietti, <http://mad4milk.net>
  2295.     - Christophe Beyls, <http://digitalia.be>
  2296.  
  2297. License:
  2298.     MIT-style license.
  2299. */
  2300.  
  2301. /* Section: Utility Functions */
  2302.  
  2303. /* 
  2304. Function: $E 
  2305.     Selects a single (i.e. the first found) Element based on the selector passed in and an optional filter element.
  2306.  
  2307. Arguments:
  2308.     selector - the css selector to match
  2309.     filter - optional; a DOM element to limit the scope of the selector match; defaults to document.
  2310.  
  2311. Example:
  2312.     >$E('a', 'myElement') //find the first anchor tag inside the DOM element with id 'myElement'
  2313.  
  2314. Returns:
  2315.     a DOM element - the first element that matches the selector
  2316. */
  2317.  
  2318. function $E(selector, filter){
  2319.     return ($(filter) || document).getElement(selector);
  2320. };
  2321.  
  2322. /*
  2323. Function: $ES
  2324.     Returns a collection of Elements that match the selector passed in limited to the scope of the optional filter.
  2325.     See Also: <Element.getElements> for an alternate syntax.
  2326.  
  2327. Returns:
  2328.     an array of dom elements that match the selector within the filter
  2329.  
  2330. Arguments:
  2331.     selector - css selector to match
  2332.     filter - optional; a DOM element to limit the scope of the selector match; defaults to document.
  2333.  
  2334. Examples:
  2335.     >$ES("a") //gets all the anchor tags; synonymous with $$("a")
  2336.     >$ES('a','myElement') //get all the anchor tags within $('myElement')
  2337. */
  2338.  
  2339. function $ES(selector, filter){
  2340.     return ($(filter) || document).getElementsBySelector(selector);
  2341. };
  2342.  
  2343. /*
  2344. Class: Element
  2345.     Custom class to allow all of its methods to be used with any DOM element via the dollar function <$>.
  2346. */
  2347.  
  2348. Element.extend({
  2349.  
  2350.     /*
  2351.     Property: getElements 
  2352.         Gets all the elements within an element that match the given (single) selector.
  2353.  
  2354.     Arguments:
  2355.         selector - the css selector to match
  2356.  
  2357.     Example:
  2358.         >$('myElement').getElements('a'); // get all anchors within myElement
  2359.     */
  2360.  
  2361.     getElements: function(selector){
  2362.         var elements = [];
  2363.         selector.clean().split(' ').each(function(sel, i){
  2364.             var param = sel.match(/^(\w*|\*)(?:#([\w-]+)|\.([\w-]+))?(?:\[(\w+)(?:([*^$]?=)["']?([^"'\]]*)["']?)?])?$/);
  2365.             //PARAM ARRAY: 0 = full string: 1 = tag; 2 = id; 3 = class; 4 = attribute; 5 = operator; 6 = value;
  2366.             if (!param) return;
  2367.             Filters.selector = param;
  2368.             param[1] = param[1] || '*';
  2369.             if (i == 0){
  2370.                 if (param[2]){
  2371.                     var el = this.getElementById(param[2]);
  2372.                     if (!el || ((param[1] != '*') && (Element.prototype.getTag.call(el) != param[1]))) return;
  2373.                     elements = [el];
  2374.                 } else {
  2375.                     elements = $A(this.getElementsByTagName(param[1]));
  2376.                 }
  2377.             } else {
  2378.                 elements = Elements.prototype.getElementsByTagName.call(elements, param[1], true);
  2379.                 if (param[2]) elements = elements.filter(Filters.id);
  2380.             }
  2381.             if (param[3]) elements = elements.filter(Filters.className);
  2382.             if (param[4]) elements = elements.filter(Filters.attribute);
  2383.         }, this);
  2384.         return $$(elements);
  2385.     },
  2386.  
  2387.     /*
  2388.     Property: getElementById
  2389.         Targets an element with the specified id found inside the Element. Does not overwrite document.getElementById.
  2390.  
  2391.     Arguments:
  2392.         id - the id of the element to find.
  2393.     */
  2394.  
  2395.     getElementById: function(id){
  2396.         var el = document.getElementById(id);
  2397.         if (!el) return false;
  2398.         for (var parent = el.parentNode; parent != this; parent = parent.parentNode){
  2399.             if (!parent) return false;
  2400.         }
  2401.         return el;
  2402.     },
  2403.  
  2404.     /*
  2405.     Property: getElement
  2406.         Same as <Element.getElements>, but returns only the first. Alternate syntax for <$E>, where filter is the Element.
  2407.     */
  2408.  
  2409.     getElement: function(selector){
  2410.         return this.getElementsBySelector(selector)[0];
  2411.     },
  2412.  
  2413.     /*
  2414.     Property: getElementsBySelector
  2415.         Same as <Element.getElements>, but allows for comma separated selectors, as in css. Alternate syntax for <$$>, where filter is the Element.
  2416.  
  2417.     */
  2418.  
  2419.     getElementsBySelector: function(selector){
  2420.         var els = [];
  2421.         selector.split(',').each(function(sel){
  2422.             els.extend(this.getElements(sel));
  2423.         }, this);
  2424.         return $$(els);
  2425.     }
  2426.  
  2427. });
  2428.  
  2429. /* Section: document related functions */
  2430.  
  2431. document.extend({
  2432.     /*
  2433.     Function: document.getElementsByClassName 
  2434.         Returns all the elements that match a specific class name. 
  2435.         Here for compatibility purposes. can also be written: document.getElements('.className'), or $$('.className')
  2436.     */
  2437.  
  2438.     getElementsByClassName: function(className){
  2439.         return document.getElements('.'+className);
  2440.     },
  2441.     getElement: Element.prototype.getElement,
  2442.     getElements: Element.prototype.getElements,
  2443.     getElementsBySelector: Element.prototype.getElementsBySelector
  2444.  
  2445. });
  2446.  
  2447. //dom filters, internal methods.
  2448.  
  2449. var Filters = {
  2450.     
  2451.     selector: [],
  2452.  
  2453.     id: function(el){
  2454.         return (el.id == Filters.selector[2]);
  2455.     },
  2456.  
  2457.     className: function(el){
  2458.         return (Element.prototype.hasClass.call(el, Filters.selector[3]));
  2459.     },
  2460.  
  2461.     attribute: function(el){
  2462.         var current = el.getAttribute(Filters.selector[4]);
  2463.         if (!current) return false;
  2464.         var operator = Filters.selector[5];
  2465.         if (!operator) return true;
  2466.         var value = Filters.selector[6];
  2467.         switch (operator){
  2468.             case '*=': return (current.test(value));
  2469.             case '=': return (current == value);
  2470.             case '^=': return (current.test('^'+value));
  2471.             case '$=': return (current.test(value+'$'));
  2472.         }
  2473.         return false;
  2474.     }
  2475.  
  2476. };
  2477.  
  2478. /*
  2479. Class: Elements
  2480.     Methods for dom queries arrays, <$$>.
  2481. */
  2482.  
  2483. Elements.extend({
  2484.  
  2485.     getElementsByTagName: function(tagName){
  2486.         var found = [];
  2487.         this.each(function(el){
  2488.             found.extend(el.getElementsByTagName(tagName));
  2489.         });
  2490.         return found;
  2491.     }
  2492.  
  2493. });
  2494.  
  2495. /*
  2496. Script: Hash.js
  2497.     Contains the class Hash.
  2498.  
  2499. Author:
  2500.     Christophe Beyls, <http://digitalia.be>
  2501.  
  2502. License:
  2503.     MIT-style license.
  2504. */
  2505.  
  2506. /*
  2507. Class: Hash
  2508.     It wraps an object that it uses internally as a map. The user must use set(), get(), and remove() to add/change, retrieve and remove values, it must not access the internal object directly. null values are allowed.
  2509.  
  2510. Example:
  2511.     (start code)
  2512.     var hash = new Hash({a: 'hi', b: 'world', c: 'howdy'});
  2513.     hash.remove('b'); // b is removed.
  2514.     hash.set('c', 'hello');
  2515.     hash.get('c'); // returns 'hello'
  2516.     hash.length // returns 2 (a and b)
  2517.     (end)
  2518. */
  2519.  
  2520. var Hash = new Class({
  2521.  
  2522.     length: 0,
  2523.     
  2524.     obj: {},
  2525.  
  2526.     initialize: function(obj){
  2527.         this.extend(obj);
  2528.     },
  2529.  
  2530.     /*
  2531.     Property: get
  2532.         Retrieves a value from the hash.
  2533.  
  2534.     Arguments:
  2535.         key - The key
  2536.  
  2537.     Returns:
  2538.         The value
  2539.     */
  2540.  
  2541.     get: function(key){
  2542.         return this.obj[key];
  2543.     },
  2544.  
  2545.     /*
  2546.     Property: hasKey
  2547.         Check the presence of a specified key-value pair in the hash.
  2548.  
  2549.     Arguments:
  2550.         key - The key
  2551.  
  2552.     Returns:
  2553.         True if the Hash contains an value for the specified key, otherwise false
  2554.     */
  2555.  
  2556.     hasKey: function(key){
  2557.         return this.obj[key] !== undefined;
  2558.     },
  2559.  
  2560.     /*
  2561.     Property: set
  2562.         Adds a key-value pair to the hash or replaces a previous value associated with the key.
  2563.  
  2564.     Arguments:
  2565.         key - The key
  2566.         value - The value
  2567.     */
  2568.  
  2569.     set: function(key, value){
  2570.         if (value === undefined) return false;
  2571.         if (this.obj[key] === undefined) this.length++;
  2572.         this.obj[key] = value;
  2573.         return this;
  2574.     },
  2575.  
  2576.     /*
  2577.     Property: remove
  2578.         Removes a key-value pair from the hash.
  2579.  
  2580.     Arguments:
  2581.         key - The key
  2582.     */
  2583.  
  2584.     remove: function(key){
  2585.         if (this.obj[key] === undefined) return this;
  2586.         var obj = {};
  2587.         this.length--;
  2588.         for (var property in this.obj){
  2589.             if (property != key) obj[property] = this.obj[property];
  2590.         }
  2591.         this.obj = obj;
  2592.         return this;
  2593.     },
  2594.  
  2595.     /*
  2596.     Property: each
  2597.         Calls a function for each key-value pair. The first argument passed to the function will be the key, the second one will be the value.
  2598.  
  2599.     Arguments:
  2600.         fn - The function to call for each key-value pair
  2601.         bind - Optional, the object that will be referred to as "this" in the function
  2602.     */
  2603.  
  2604.     each: function(fn, bind){
  2605.         for (var property in this.obj) fn.call(bind || this, property, this.obj[property]);
  2606.     },
  2607.  
  2608.     /*
  2609.     Property: extend
  2610.         Extends the current hash with an object containing key-value pairs. Values for duplicate keys will be replaced by the new ones.
  2611.  
  2612.     Arguments:
  2613.         obj - An object containing key-value pairs
  2614.     */
  2615.  
  2616.     extend: function(obj){
  2617.         for (var property in obj){
  2618.             if (this.obj[property] === undefined) this.length++;
  2619.             this.obj[property] = obj[property];
  2620.         }
  2621.         return this;
  2622.     },
  2623.  
  2624.     /*
  2625.     Property: empty
  2626.         Checks if the hash is empty.
  2627.  
  2628.     Returns:
  2629.         True if the hash is empty, otherwise false
  2630.     */
  2631.  
  2632.     empty: function(){
  2633.         return (this.length == 0);
  2634.     },
  2635.  
  2636.     /*
  2637.     Property: keys
  2638.         Returns an array containing all the keys, in the same order as the values returned by <Hash.values>.
  2639.  
  2640.     Returns:
  2641.         An array containing all the keys of the hash
  2642.     */
  2643.  
  2644.     keys: function(){
  2645.         var keys = [];
  2646.         for (var property in this.obj) keys.push(property);
  2647.         return keys;
  2648.     },
  2649.  
  2650.     /*
  2651.     Property: values
  2652.         Returns an array containing all the values, in the same order as the keys returned by <Hash.keys>.
  2653.  
  2654.     Returns:
  2655.         An array containing all the values of the hash
  2656.     */
  2657.  
  2658.     values: function(){
  2659.         var values = [];
  2660.         for (var property in this.obj) values.push(this.obj[property]);
  2661.         return values;
  2662.     }
  2663.  
  2664. });
  2665.  
  2666. /*
  2667. Function: $H
  2668.     Shortcut to create a Hash from an Object.
  2669. */
  2670.  
  2671. function $H(obj){
  2672.     return new Hash(obj);
  2673. };
  2674.  
  2675. /*
  2676. Script: Color.js
  2677.     Contains the Color class.
  2678.  
  2679. Authors:
  2680.     - Michael Jackson, <http://ajaxon.com/michael>
  2681.     - Valerio Proietti, <http://mad4milk.net>
  2682.     - Christophe Beyls, <http://www.digitalia.be>
  2683.  
  2684. License:
  2685.     MIT-style license.
  2686. */
  2687.  
  2688. /*
  2689. Class: Color
  2690.     Creates a new Color Object, which is an array with some color specific methods.
  2691.     
  2692. Arguments:
  2693.     color - the hex, the RGB array or the HSB array of the color to create. For HSB colors, you need to specify the second argument.
  2694.     type - a string representing the type of the color to create. needs to be specified if you intend to create the color with HSB values, or an array of HEX values. Can be 'rgb', 'hsb' or 'hex'.
  2695.  
  2696. Example:
  2697.     (start code)
  2698.     var black = new Color('#000');
  2699.     var purple = new Color([255,0,255]);
  2700.     // mix black with white and purple, each time at 10% of the new color
  2701.     var darkpurple = black.mix('#fff', purple, 10);
  2702.     $('myDiv').setStyle('background-color', darkpurple);
  2703.     (end)
  2704. */
  2705.  
  2706. var Color = new Class({
  2707.  
  2708.     initialize: function(color, type){
  2709.         if (color.isColor) return color;
  2710.         color.isColor = true;
  2711.         type = type || (color.push ? 'rgb' : 'hex');
  2712.         var rgb, hsb;
  2713.         switch(type){
  2714.             case 'rgb':
  2715.                 rgb = color;
  2716.                 hsb = rgb.rgbToHsb();
  2717.                 break;
  2718.             case 'hsb':
  2719.                 rgb = color.hsbToRgb();
  2720.                 hsb = color;
  2721.                 break;
  2722.             default:
  2723.                 rgb = color.hexToRgb(true);
  2724.                 hsb = rgb.rgbToHsb();
  2725.         }
  2726.         rgb.hsb = hsb;
  2727.         return Object.extend(rgb, Color.prototype);
  2728.     },
  2729.     
  2730.     /*
  2731.     Property: mix
  2732.         Mixes two or more colors with the Color.
  2733.         
  2734.     Arguments:
  2735.         color - a color to mix. you can use as arguments how many colors as you want to mix with the original one.
  2736.         alpha - if you use a number as the last argument, it will be threated as the amount of the color to mix.
  2737.     */
  2738.     
  2739.     mix: function(){
  2740.         var colors = $A(arguments);
  2741.         var alpha = ($type(colors[colors.length-1]) == 'number') ? colors.pop() : 50;
  2742.         var rgb = this.copy();
  2743.         colors.each(function(color){
  2744.             color = new Color(color);
  2745.             for (var i = 0; i < 3; i++) rgb[i] = Math.round((rgb[i] / 100 * (100 - alpha)) + (color[i] / 100 * alpha));
  2746.         });
  2747.         return new Color(rgb, 'rgb');
  2748.     },
  2749.     
  2750.     /*
  2751.     Property: invert
  2752.         Inverts the Color.
  2753.     */
  2754.  
  2755.     invert: function(){
  2756.         return new Color(this.map(function(value){
  2757.             return 255 - value;
  2758.         }));
  2759.     },
  2760.     
  2761.     /*
  2762.     Property: setHue
  2763.         Modifies the hue of the Color, and returns a new one.
  2764.         
  2765.     Arguments:
  2766.         value - the hue to set
  2767.     */
  2768.  
  2769.     setHue: function(value){
  2770.         return new Color([value, this.hsb[1], this.hsb[2]], 'hsb');
  2771.     },
  2772.     
  2773.     /*
  2774.     Property: setSaturation
  2775.         Changes the saturation of the Color, and returns a new one.
  2776.         
  2777.     Arguments:
  2778.         percent - the percentage of the saturation to set
  2779.     */
  2780.  
  2781.     setSaturation: function(percent){
  2782.         return new Color([this.hsb[0], percent, this.hsb[2]], 'hsb');
  2783.     },
  2784.     
  2785.     /*
  2786.     Property: setBrightness
  2787.         Changes the brightness of the Color, and returns a new one.
  2788.         
  2789.     Arguments:
  2790.         percent - the percentage of the brightness to set
  2791.     */
  2792.  
  2793.     setBrightness: function(percent){
  2794.         return new Color([this.hsb[0], this.hsb[1], percent], 'hsb');
  2795.     }
  2796.  
  2797. });
  2798.  
  2799. /*
  2800. Function: $RGB
  2801.     Shortcut to create a new color, based on red, green, blue values.
  2802. */
  2803.  
  2804. function $RGB(r, g, b){
  2805.     return new Color([r, g, b], 'rgb');
  2806. };
  2807.  
  2808. /*
  2809. Function: $HSB
  2810.     Shortcut to create a new color, based on hue, saturation, brightness values.
  2811. */
  2812.  
  2813. function $HSB(h, s, b){
  2814.     return new Color([h, s, b], 'hsb');
  2815. };
  2816.  
  2817. /*
  2818. Class: Array
  2819.     A collection of The Array Object prototype methods.
  2820. */
  2821.  
  2822. Array.extend({
  2823.     
  2824.     /*
  2825.     Property: rgbToHsb
  2826.         Converts a RGB array to an HSB array.
  2827.  
  2828.     Returns:
  2829.         the HSB array.
  2830.     */
  2831.     
  2832.     rgbToHsb: function(){
  2833.         var red = this[0], green = this[1], blue = this[2];
  2834.         var hue, saturation, brightness;
  2835.         var max = Math.max(red, green, blue), min = Math.min(red, green, blue);
  2836.         var delta = max - min;
  2837.         brightness = max / 255;
  2838.         saturation = (max != 0) ? delta / max : 0;
  2839.         if (saturation == 0){
  2840.             hue = 0;
  2841.         } else {
  2842.             var rr = (max - red) / delta;
  2843.             var gr = (max - green) / delta;
  2844.             var br = (max - blue) / delta;
  2845.             if (red == max) hue = br - gr;
  2846.             else if (green == max) hue = 2 + rr - br;
  2847.             else hue = 4 + gr - rr;
  2848.             hue /= 6;
  2849.             if (hue < 0) hue++;
  2850.         }
  2851.         return [Math.round(hue * 360), Math.round(saturation * 100), Math.round(brightness * 100)];
  2852.     },
  2853.     
  2854.     /*
  2855.     Property: hsbToRgb
  2856.         Converts an HSB array to an RGB array.
  2857.  
  2858.     Returns:
  2859.         the RGB array.
  2860.     */
  2861.     
  2862.     hsbToRgb: function(){
  2863.         var br = Math.round(this[2] / 100 * 255);
  2864.         if (this[1] == 0){
  2865.             return [br, br, br];
  2866.         } else {
  2867.             var hue = this[0] % 360;
  2868.             var f = hue % 60;
  2869.             var p = Math.round((this[2] * (100 - this[1])) / 10000 * 255);
  2870.             var q = Math.round((this[2] * (6000 - this[1] * f)) / 600000 * 255);
  2871.             var t = Math.round((this[2] * (6000 - this[1] * (60 - f))) / 600000 * 255);
  2872.             switch (Math.floor(hue / 60)){
  2873.                 case 0: return [br, t, p];
  2874.                 case 1: return [q, br, p];
  2875.                 case 2: return [p, br, t];
  2876.                 case 3: return [p, q, br];
  2877.                 case 4: return [t, p, br];
  2878.                 case 5: return [br, p, q];
  2879.             }
  2880.         }
  2881.         return false;
  2882.     }
  2883.  
  2884. });
  2885.  
  2886. /*
  2887. Script: Window.Base.js
  2888.     Contains Window.onDomReady
  2889.     
  2890. Authors:
  2891.     - Christophe Beyls, <http://www.digitalia.be>
  2892.     - Valerio Proietti, <http://mad4milk.net>
  2893.  
  2894. License:
  2895.     MIT-style license.
  2896. */
  2897.  
  2898. /*
  2899. Class: Window
  2900.     Cross browser methods to get the window size, onDomReady method.
  2901. */
  2902.  
  2903. window.extend({
  2904.     
  2905.     /*
  2906.     Property: window.addEvent
  2907.         same as <Element.addEvent> but allows the event 'domready', which is the same as <window.onDomReady>
  2908.  
  2909.     Credits:
  2910.         (c) Dean Edwards/Matthias Miller/John Resig, remastered for mootools.
  2911.  
  2912.     Arguments:
  2913.         init - the function to execute when the DOM is ready
  2914.  
  2915.     Example:
  2916.         > window.addEvent('domready', function(){alert('the dom is ready')});
  2917.     */
  2918.  
  2919.     addEvent: function(type, fn){
  2920.         if (type == 'domready'){
  2921.             if (this.loaded) fn();
  2922.             else if (!this.events || !this.events.domready){
  2923.                 var domReady = function(){
  2924.                     if (this.loaded) return;
  2925.                     this.loaded = true;
  2926.                     if (this.timer) this.timer = $clear(this.timer);
  2927.                     Element.prototype.fireEvent.call(this, 'domready');
  2928.                     this.events.domready = null;
  2929.                 }.bind(this);
  2930.                 if (document.readyState && this.khtml){ //safari and konqueror
  2931.                     this.timer = function(){
  2932.                         if (['loaded','complete'].test(document.readyState)) domReady();
  2933.                     }.periodical(50);
  2934.                 }
  2935.                 else if (document.readyState && this.ie){ //ie
  2936.                     document.write("<script id=ie_ready defer src=javascript:void(0)><\/script>");
  2937.                     $('ie_ready').onreadystatechange = function(){
  2938.                         if (this.readyState == 'complete') domReady();
  2939.                     };
  2940.                 } else { //others
  2941.                     this.addEvent("load", domReady);
  2942.                     document.addEvent("DOMContentLoaded", domReady);
  2943.                 }
  2944.             }
  2945.         }
  2946.         Element.prototype.addEvent.call(this, type, fn);
  2947.         return this;
  2948.     },
  2949.  
  2950.     /*
  2951.     Property: window.onDomReady
  2952.         Executes the passed in function when the DOM is ready (when the document tree has loaded, not waiting for images).
  2953.         Same as <window.addEvent> ('domready', init).
  2954.  
  2955.     Arguments:
  2956.         init - the function to execute when the DOM is ready
  2957.  
  2958.     Example:
  2959.         > window.addEvent('domready', function(){alert('the dom is ready')});
  2960.     */
  2961.  
  2962.     onDomReady: function(init){
  2963.         return this.addEvent('domready', init);
  2964.     }
  2965.  
  2966. });
  2967.  
  2968. /*
  2969. Script: Window.Size.js
  2970.     Window cross-browser dimensions methods.
  2971.  
  2972. Authors:
  2973.     - Christophe Beyls, <http://www.digitalia.be>
  2974.     - Valerio Proietti, <http://mad4milk.net>
  2975.  
  2976. License:
  2977.     MIT-style license.
  2978. */
  2979.  
  2980. /*
  2981. Class: window
  2982.     Cross browser methods to get various window dimensions.
  2983.     Warning: All these methods require that the browser operates in strict mode, not quirks mode.
  2984. */
  2985.  
  2986. window.extend({
  2987.  
  2988.     /*
  2989.     Property: getWidth
  2990.         Returns an integer representing the width of the browser window (without the scrollbar).
  2991.     */
  2992.  
  2993.     getWidth: function(){
  2994.         if (this.khtml) return this.innerWidth;
  2995.         if (this.opera) return document.body.clientWidth;
  2996.         return document.documentElement.clientWidth;
  2997.     },
  2998.  
  2999.     /*
  3000.     Property: getHeight
  3001.         Returns an integer representing the height of the browser window (without the scrollbar).
  3002.     */
  3003.  
  3004.     getHeight: function(){
  3005.         if (this.khtml) return this.innerHeight;
  3006.         if (this.opera) return document.body.clientHeight;
  3007.         return document.documentElement.clientHeight;
  3008.     },
  3009.  
  3010.     /*
  3011.     Property: getScrollWidth
  3012.         Returns an integer representing the scrollWidth of the window.
  3013.         This value is equal to or bigger than <getWidth>.
  3014.  
  3015.     See Also:
  3016.         <http://developer.mozilla.org/en/docs/DOM:element.scrollWidth>
  3017.     */
  3018.  
  3019.     getScrollWidth: function(){
  3020.         if (this.ie) return Math.max(document.documentElement.offsetWidth, document.documentElement.scrollWidth);
  3021.         if (this.khtml) return document.body.scrollWidth;
  3022.         return document.documentElement.scrollWidth;
  3023.     },
  3024.  
  3025.     /*
  3026.     Property: getScrollHeight
  3027.         Returns an integer representing the scrollHeight of the window.
  3028.         This value is equal to or bigger than <getHeight>.
  3029.  
  3030.     See Also:
  3031.         <http://developer.mozilla.org/en/docs/DOM:element.scrollHeight>
  3032.     */
  3033.  
  3034.     getScrollHeight: function(){
  3035.         if (this.ie) return Math.max(document.documentElement.offsetHeight, document.documentElement.scrollHeight);
  3036.         if (this.khtml) return document.body.scrollHeight;
  3037.         return document.documentElement.scrollHeight;
  3038.     },
  3039.  
  3040.     /*
  3041.     Property: getScrollLeft
  3042.         Returns an integer representing the scrollLeft of the window (the number of pixels the window has scrolled from the left).
  3043.  
  3044.     See Also:
  3045.         <http://developer.mozilla.org/en/docs/DOM:element.scrollLeft>
  3046.     */
  3047.  
  3048.     getScrollLeft: function(){
  3049.         return this.pageXOffset || document.documentElement.scrollLeft;
  3050.     },
  3051.  
  3052.     /*
  3053.     Property: getScrollTop
  3054.         Returns an integer representing the scrollTop of the window (the number of pixels the window has scrolled from the top).
  3055.  
  3056.     See Also:
  3057.         <http://developer.mozilla.org/en/docs/DOM:element.scrollTop>
  3058.     */
  3059.  
  3060.     getScrollTop: function(){
  3061.         return this.pageYOffset || document.documentElement.scrollTop;
  3062.     },
  3063.  
  3064.     /*
  3065.     Property: getSize
  3066.         Same as <Element.getSize>
  3067.     */
  3068.  
  3069.     getSize: function(){
  3070.         return {
  3071.             'size': {'x': this.getWidth(), 'y': this.getHeight()},
  3072.             'scrollSize': {'x': this.getScrollWidth(), 'y': this.getScrollHeight()},
  3073.             'scroll': {'x': this.getScrollLeft(), 'y': this.getScrollTop()}
  3074.         };
  3075.     },
  3076.  
  3077.     //ignore
  3078.     getPosition: function(){return {'x': 0, 'y': 0}}
  3079.  
  3080. });
  3081.  
  3082. /*
  3083. Script: Fx.Base.js
  3084.     Contains <Fx.Base> and two Transitions.
  3085.  
  3086. Author:
  3087.     Valerio Proietti, <http://mad4milk.net>
  3088.  
  3089. License:
  3090.     MIT-style license.
  3091. */
  3092.  
  3093. var Fx = {};
  3094.  
  3095. /*
  3096. Class: Fx.Base
  3097.     Base class for the Mootools Effects (Moo.Fx) library.
  3098.  
  3099. Options:
  3100.     onStart - the function to execute as the effect begins; nothing (<Class.empty>) by default.
  3101.     onComplete - the function to execute after the effect has processed; nothing (<Class.empty>) by default.
  3102.     transition - the equation to use for the effect see <Fx.Transitions>; default is <Fx.Transitions.sineInOut>
  3103.     duration - the duration of the effect in ms; 500 is the default.
  3104.     unit - the unit is 'px' by default (other values include things like 'em' for fonts or '%').
  3105.     wait - boolean: to wait or not to wait for a current transition to end before running another of the same instance. defaults to true.
  3106.     fps - the frames per second for the transition; default is 30
  3107. */
  3108.  
  3109. Fx.Base = new Class({
  3110.  
  3111.     getOptions: function(){
  3112.         return {
  3113.             onStart: Class.empty,
  3114.             onComplete: Class.empty,
  3115.             onCancel: Class.empty,
  3116.             transition: Fx.Transitions.sineInOut,
  3117.             duration: 500,
  3118.             unit: 'px',
  3119.             wait: true,
  3120.             fps: 50
  3121.         };
  3122.     },
  3123.  
  3124.     initialize: function(options){
  3125.         this.element = this.element || null;
  3126.         this.setOptions(this.getOptions(), options);
  3127.         if (this.options.initialize) this.options.initialize.call(this);
  3128.     },
  3129.  
  3130.     step: function(){
  3131.         var time = new Date().getTime();
  3132.         if (time < this.time + this.options.duration){
  3133.             this.cTime = time - this.time;
  3134.             this.setNow();
  3135.             this.increase();
  3136.         } else {
  3137.             this.stop(true);
  3138.             this.now = this.to;
  3139.             this.increase();
  3140.             this.fireEvent('onComplete', this.element, 10);
  3141.             this.callChain();
  3142.         }
  3143.     },
  3144.  
  3145.     /*
  3146.     Property: set
  3147.         Immediately sets the value with no transition.
  3148.  
  3149.     Arguments:
  3150.         to - the point to jump to
  3151.  
  3152.     Example:
  3153.         >var myFx = new Fx.Style('myElement', 'opacity').set(0); //will make it immediately transparent
  3154.     */
  3155.  
  3156.     set: function(to){
  3157.         this.now = to;
  3158.         this.increase();
  3159.         return this;
  3160.     },
  3161.  
  3162.     setNow: function(){
  3163.         this.now = this.compute(this.from, this.to);
  3164.     },
  3165.  
  3166.     compute: function(from, to){
  3167.         return this.options.transition(this.cTime, from, (to - from), this.options.duration);
  3168.     },
  3169.  
  3170.     /*
  3171.     Property: start
  3172.         Executes an effect from one position to the other.
  3173.  
  3174.     Arguments:
  3175.         from - integer: staring value
  3176.         to - integer: the ending value
  3177.  
  3178.     Examples:
  3179.         >var myFx = new Fx.Style('myElement', 'opacity').start(0,1); //display a transition from transparent to opaque.
  3180.     */
  3181.  
  3182.     start: function(from, to){
  3183.         if (!this.options.wait) this.stop();
  3184.         else if (this.timer) return this;
  3185.         this.from = from;
  3186.         this.to = to;
  3187.         this.time = new Date().getTime();
  3188.         this.timer = this.step.periodical(Math.round(1000/this.options.fps), this);
  3189.         this.fireEvent('onStart', this.element);
  3190.         return this;
  3191.     },
  3192.  
  3193.     /*
  3194.     Property: stop
  3195.         Stops the transition.
  3196.     */
  3197.  
  3198.     stop: function(end){
  3199.         if (!this.timer) return this;
  3200.         this.timer = $clear(this.timer);
  3201.         if (!end) this.fireEvent('onCancel', this.element);
  3202.         return this;
  3203.     },
  3204.  
  3205.     //compat
  3206.     custom: function(from, to){return this.start(from, to)},
  3207.     clearTimer: function(end){return this.stop(end)}
  3208.  
  3209. });
  3210.  
  3211. Fx.Base.implement(new Chain);
  3212. Fx.Base.implement(new Events);
  3213. Fx.Base.implement(new Options);
  3214.  
  3215. /*
  3216. Class: Fx.Transitions
  3217.     A collection of transition equations for use with the <Fx.Base> Class.
  3218.  
  3219. See Also:
  3220.     <Fx.Transitions.js> for a whole bunch of transitions.
  3221.  
  3222. Credits:
  3223.     Easing Equations, (c) 2003 Robert Penner (http://www.robertpenner.com/easing/), Open Source BSD License.
  3224. */
  3225.  
  3226. Fx.Transitions = {
  3227.  
  3228.     /* Property: linear */
  3229.     linear: function(t, b, c, d){
  3230.         return c*t/d + b;
  3231.     },
  3232.  
  3233.     /* Property: sineInOut */
  3234.     sineInOut: function(t, b, c, d){
  3235.         return -c/2 * (Math.cos(Math.PI*t/d) - 1) + b;
  3236.     }
  3237.  
  3238. };
  3239.  
  3240. /*
  3241. Script: Fx.CSS.js
  3242.     Css parsing class for effects. Required by <Fx.Style>, <Fx.Styles>, <Fx.Elements>. No documentation needed, as its used internally.
  3243.  
  3244. Authors:
  3245.     - Christophe Beyls, <http://www.digitalia.be>
  3246.     - Valerio Proietti, <http://mad4milk.net>
  3247.  
  3248. License:
  3249.     MIT-style license.
  3250. */
  3251.  
  3252. Fx.CSS = {
  3253.  
  3254.     select: function(property, to){
  3255.         if (property.test(/color/i)) return this.Color;
  3256.         if (to.test && to.test(' ')) return this.Multi;
  3257.         return this.Single;
  3258.     },
  3259.  
  3260.     parse: function(el, property, fromTo){
  3261.         if (!fromTo.push) fromTo = [fromTo];
  3262.         var from = fromTo[0], to = fromTo[1];
  3263.         if (!to && to != 0){
  3264.             to = from;
  3265.             from = el.getStyle(property);
  3266.         }
  3267.         var css = this.select(property, to);
  3268.         return {from: css.parse(from), to: css.parse(to), css: css};
  3269.     }
  3270.  
  3271. };
  3272.  
  3273. Fx.CSS.Single = {
  3274.  
  3275.     parse: function(value){
  3276.         return parseFloat(value);
  3277.     },
  3278.  
  3279.     getNow: function(from, to, fx){
  3280.         return fx.compute(from, to);
  3281.     },
  3282.  
  3283.     getValue: function(value, unit){
  3284.         return value+unit;
  3285.     }
  3286.  
  3287. };
  3288.  
  3289. Fx.CSS.Multi = {
  3290.  
  3291.     parse: function(value){
  3292.         return value.push ? value : value.split(' ').map(function(v){
  3293.             return parseFloat(v);
  3294.         });
  3295.     },
  3296.  
  3297.     getNow: function(from, to, fx){
  3298.         var now = [];
  3299.         for (var i = 0; i < from.length; i++) now[i] = fx.compute(from[i], to[i]);
  3300.         return now;
  3301.     },
  3302.  
  3303.     getValue: function(value, unit){
  3304.         return value.join(unit+' ')+unit;
  3305.     }
  3306.  
  3307. };
  3308.  
  3309. Fx.CSS.Color = {
  3310.  
  3311.     parse: function(value){
  3312.         return value.push ? value : value.hexToRgb(true);
  3313.     },
  3314.  
  3315.     getNow: function(from, to, fx){
  3316.         var now = [];
  3317.         for (var i = 0; i < from.length; i++) now[i] = Math.round(fx.compute(from[i], to[i]));
  3318.         return now;
  3319.     },
  3320.  
  3321.     getValue: function(value){
  3322.         return 'rgb('+value.join(',')+')';
  3323.     }
  3324.  
  3325. };
  3326.  
  3327. /*
  3328. Script: Fx.Style.js
  3329.     Contains <Fx.Style>
  3330.  
  3331. Author:
  3332.     Valerio Proietti, <http://mad4milk.net>
  3333.  
  3334. License:
  3335.     MIT-style license.
  3336. */
  3337.  
  3338. /*
  3339. Class: Fx.Style
  3340.     The Style effect; Extends <Fx.Base>, inherits all its properties. Used to transition any css property from one value to another. Includes colors.
  3341.     Colors must be in hex format.
  3342.  
  3343. Arguments:
  3344.     el - the $(element) to apply the style transition to
  3345.     property - the property to transition
  3346.     options - the Fx.Base options (see: <Fx.Base>)
  3347.  
  3348. Example:
  3349.     >var marginChange = new Fx.Style('myElement', 'margin-top', {duration:500});
  3350.     >marginChange.start(10, 100);
  3351. */
  3352.  
  3353. Fx.Style = Fx.Base.extend({
  3354.  
  3355.     initialize: function(el, property, options){
  3356.         this.element = $(el);
  3357.         this.property = property;
  3358.         this.parent(options);
  3359.     },
  3360.  
  3361.     /*
  3362.     Property: hide
  3363.         Same as <Fx.Base.set> (0)
  3364.     */
  3365.  
  3366.     hide: function(){
  3367.         return this.set(0);
  3368.     },
  3369.  
  3370.     setNow: function(){
  3371.         this.now = this.css.getNow(this.from, this.to, this);
  3372.     },
  3373.  
  3374.     set: function(to){
  3375.         this.css = Fx.CSS.select(this.property, to);
  3376.         return this.parent(this.css.parse(to));
  3377.     },
  3378.  
  3379.     /*
  3380.     Property: start
  3381.         displays the transition to the value/values passed in
  3382.  
  3383.     Example:
  3384.         (start code)
  3385.         var var marginChange = new Fx.Style('myElement', 'margin-top', {duration:500});
  3386.         marginChange.start(10); //tries to read current margin top value and goes from current to 10
  3387.         (end)
  3388.     */
  3389.  
  3390.     start: function(from, to){
  3391.         if (this.timer && this.options.wait) return this;
  3392.         var parsed = Fx.CSS.parse(this.element, this.property, [from, to]);
  3393.         this.css = parsed.css;
  3394.         return this.parent(parsed.from, parsed.to);
  3395.     },
  3396.  
  3397.     increase: function(){
  3398.         this.element.setStyle(this.property, this.css.getValue(this.now, this.options.unit));
  3399.     }
  3400.  
  3401. });
  3402.  
  3403. /*
  3404. Class: Element
  3405.     Custom class to allow all of its methods to be used with any DOM element via the dollar function <$>.
  3406. */
  3407.  
  3408. Element.extend({
  3409.  
  3410.     /*
  3411.     Property: effect
  3412.         Applies an <Fx.Style> to the Element; This a shortcut for <Fx.Style>.
  3413.  
  3414.     Example:
  3415.         >var myEffect = $('myElement').effect('height', {duration: 1000, transition: Fx.Transitions.linear});
  3416.         >myEffect.start(10, 100);
  3417.     */
  3418.  
  3419.     effect: function(property, options){
  3420.         return new Fx.Style(this, property, options);
  3421.     }
  3422.  
  3423. });
  3424.  
  3425. /*
  3426. Script: Fx.Styles.js
  3427.     Contains <Fx.Styles>
  3428.  
  3429. Author:
  3430.     Valerio Proietti, <http://mad4milk.net>
  3431.  
  3432. License:
  3433.     MIT-style license.
  3434. */
  3435.  
  3436. /*
  3437. Class: Fx.Styles
  3438.     Allows you to animate multiple css properties at once; Extends <Fx.Base>, inherits all its properties. Includes colors.
  3439.     Colors must be in hex format.
  3440.  
  3441. Arguments:
  3442.     el - the $(element) to apply the styles transition to
  3443.     options - the fx options (see: <Fx.Base>)
  3444.  
  3445. Example:
  3446.     (start code)
  3447.     var myEffects = new Fx.Styles('myElement', {duration: 1000, transition: Fx.Transitions.linear});
  3448.  
  3449.     //height from 10 to 100 and width from 900 to 300
  3450.     myEffects.start({
  3451.         'height': [10, 100],
  3452.         'width': [900, 300]
  3453.     });
  3454.  
  3455.     //or height from current height to 100 and width from current width to 300
  3456.     myEffects.start({
  3457.         'height': 100,
  3458.         'width': 300
  3459.     });
  3460.     (end)
  3461. */
  3462.  
  3463. Fx.Styles = Fx.Base.extend({
  3464.  
  3465.     initialize: function(el, options){
  3466.         this.element = $(el);
  3467.         this.parent(options);
  3468.     },
  3469.  
  3470.     setNow: function(){
  3471.         for (var p in this.from) this.now[p] = this.css[p].getNow(this.from[p], this.to[p], this);
  3472.     },
  3473.  
  3474.     set: function(to){
  3475.         var parsed = {};
  3476.         this.css = {};
  3477.         for (var p in to){
  3478.             this.css[p] = Fx.CSS.select(p, to[p]);
  3479.             parsed[p] = this.css[p].parse(to[p]);
  3480.         }
  3481.         return this.parent(parsed);
  3482.     },
  3483.  
  3484.     /*
  3485.     Property: start
  3486.         The function you'll actually use to execute a transition.
  3487.  
  3488.     Arguments:
  3489.         an object
  3490.  
  3491.     Example:
  3492.         see <Fx.Styles>
  3493.     */
  3494.  
  3495.     start: function(obj){
  3496.         if (this.timer && this.options.wait) return this;
  3497.         this.now = {};
  3498.         this.css = {};
  3499.         var from = {}, to = {};
  3500.         for (var p in obj){
  3501.             var parsed = Fx.CSS.parse(this.element, p, obj[p]);
  3502.             from[p] = parsed.from;
  3503.             to[p] = parsed.to;
  3504.             this.css[p] = parsed.css;
  3505.         }
  3506.         return this.parent(from, to);
  3507.     },
  3508.  
  3509.     increase: function(){
  3510.         for (var p in this.now) this.element.setStyle(p, this.css[p].getValue(this.now[p], this.options.unit));
  3511.     }
  3512.  
  3513. });
  3514.  
  3515. /*
  3516. Class: Element
  3517.     Custom class to allow all of its methods to be used with any DOM element via the dollar function <$>.
  3518. */
  3519.  
  3520. Element.extend({
  3521.  
  3522.     /*
  3523.     Property: effects
  3524.         Applies an <Fx.Styles> to the Element; This a shortcut for <Fx.Styles>.
  3525.  
  3526.     Example:
  3527.         >var myEffects = $(myElement).effects({duration: 1000, transition: Fx.Transitions.sineInOut});
  3528.          >myEffects.start({'height': [10, 100], 'width': [900, 300]});
  3529.     */
  3530.  
  3531.     effects: function(options){
  3532.         return new Fx.Styles(this, options);
  3533.     }
  3534.  
  3535. });
  3536.  
  3537. /*
  3538. Script: Fx.Elements.js
  3539.     Contains <Fx.Elements>
  3540.  
  3541. Author:
  3542.     Valerio Proietti, <http://mad4milk.net>
  3543.  
  3544. License:
  3545.     MIT-style license.
  3546. */
  3547.  
  3548. /*
  3549. Class: Fx.Elements
  3550.     Fx.Elements allows you to apply any number of styles transitions to a selection of elements. Includes colors (must be in hex format).
  3551.  
  3552. Arguments:
  3553.     elements - a collection of elements the effects will be applied to.
  3554.     options - same as <Fx.Base> options.
  3555. */
  3556.  
  3557. Fx.Elements = Fx.Base.extend({
  3558.  
  3559.     initialize: function(elements, options){
  3560.         this.elements = $$(elements);
  3561.         this.parent(options);
  3562.     },
  3563.  
  3564.     setNow: function(){
  3565.         for (var i in this.from){
  3566.             var iFrom = this.from[i], iTo = this.to[i], iCss = this.css[i], iNow = this.now[i] = {};
  3567.             for (var p in iFrom) iNow[p] = iCss[p].getNow(iFrom[p], iTo[p], this);
  3568.         }
  3569.     },
  3570.  
  3571.     set: function(to){
  3572.         var parsed = {};
  3573.         this.css = {};
  3574.         for (var i in to){
  3575.             var iTo = to[i], iCss = this.css[i] = {}, iParsed = parsed[i] = {};
  3576.             for (var p in iTo){
  3577.                 iCss[p] = Fx.CSS.select(p, iTo[p]);
  3578.                 iParsed[p] = iCss[p].parse(iTo[p]);
  3579.             }
  3580.         }
  3581.         return this.parent(parsed);
  3582.     },
  3583.  
  3584.     /*
  3585.     Property: start
  3586.         Applies the passed in style transitions to each object named (see example). Each item in the collection is refered to as a numerical string ("1" for instance). The first item is "0", the second "1", etc.
  3587.  
  3588.     Example:
  3589.         (start code)
  3590.         var myElementsEffects = new Fx.Elements($$('a'));
  3591.         myElementsEffects.start({
  3592.             '0': { //let's change the first element's opacity and width
  3593.                 'opacity': [0,1],
  3594.                 'width': [100,200]
  3595.             },
  3596.             '1': { //and the second one's opacity
  3597.                 'opacity': [0.2, 0.5]
  3598.             }
  3599.         });
  3600.         (end)
  3601.     */
  3602.  
  3603.     start: function(obj){
  3604.         if (this.timer && this.options.wait) return this;
  3605.         this.now = {};
  3606.         this.css = {};
  3607.         var from = {}, to = {};
  3608.         for (var i in obj){
  3609.             var iProps = obj[i], iFrom = from[i] = {}, iTo = to[i] = {}, iCss = this.css[i] = {};
  3610.             for (var p in iProps){
  3611.                 var parsed = Fx.CSS.parse(this.elements[i], p, iProps[p]);
  3612.                 iFrom[p] = parsed.from;
  3613.                 iTo[p] = parsed.to;
  3614.                 iCss[p] = parsed.css;
  3615.             }
  3616.         }
  3617.         return this.parent(from, to);
  3618.     },
  3619.  
  3620.     increase: function(){
  3621.         for (var i in this.now){
  3622.             var iNow = this.now[i], iCss = this.css[i];
  3623.             for (var p in iNow) this.elements[i].setStyle(p, iCss[p].getValue(iNow[p], this.options.unit));
  3624.         }
  3625.     }
  3626.  
  3627. });
  3628.  
  3629. /*
  3630. Script: Fx.Scroll.js
  3631.     Contains <Fx.Scroll>
  3632.  
  3633. Author:
  3634.     Valerio Proietti, <http://mad4milk.net>
  3635.  
  3636. License:
  3637.     MIT-style license.
  3638. */
  3639.  
  3640. /*
  3641. Class: Fx.Scroll
  3642.     Scroll any element with an overflow, including the window element.
  3643.  
  3644. Arguments:
  3645.     element - the element to scroll
  3646.     options - same as <Fx.Base> options.
  3647. */
  3648.  
  3649. Fx.Scroll = Fx.Base.extend({
  3650.  
  3651.     initialize: function(element, options){
  3652.         this.now = [];
  3653.         this.element = $(element);
  3654.         this.addEvent('onStart', function(){
  3655.             this.element.addEvent('mousewheel', this.stop.bind(this, false));
  3656.         }.bind(this));
  3657.         this.removeEvent('onComplete', function(){
  3658.             this.element.removeEvent('mousewheel', this.stop.bind(this, false));
  3659.         }.bind(this));
  3660.         this.parent(options);
  3661.     },
  3662.  
  3663.     setNow: function(){
  3664.         for (var i = 0; i < 2; i++) this.now[i] = this.compute(this.from[i], this.to[i]);
  3665.     },
  3666.  
  3667.     /*
  3668.     Property: scrollTo
  3669.         Scrolls the chosen element to the x/y coordinates.
  3670.  
  3671.     Arguments:
  3672.         x - the x coordinate to scroll the element to
  3673.         y - the y coordinate to scroll the element to
  3674.     */
  3675.  
  3676.     scrollTo: function(x, y){
  3677.         if (this.timer && this.options.wait) return this;
  3678.         var el = this.element.getSize();
  3679.         var values = {'x': x, 'y': y};
  3680.         for (var z in el.size){
  3681.             var max = el.scrollSize[z] - el.size[z];
  3682.             if ($chk(values[z])) values[z] = ($type(values[z]) == 'number') ? Math.max(Math.min(values[z], max), 0) : max;
  3683.             else values[z] = el.scroll[z];
  3684.         }
  3685.         return this.start([el.scroll.x, el.scroll.y], [values.x, values.y]);
  3686.     },
  3687.  
  3688.     /*
  3689.     Property: toTop
  3690.         Scrolls the chosen element to its maximum top.
  3691.     */
  3692.  
  3693.     toTop: function(){
  3694.         return this.scrollTo(false, 0);
  3695.     },
  3696.  
  3697.     /*
  3698.     Property: toBottom
  3699.         Scrolls the chosen element to its maximum bottom.
  3700.     */
  3701.  
  3702.     toBottom: function(){
  3703.         return this.scrollTo(false, 'full');
  3704.     },
  3705.  
  3706.     /*
  3707.     Property: toLeft
  3708.         Scrolls the chosen element to its maximum left.
  3709.     */
  3710.  
  3711.     toLeft: function(){
  3712.         return this.scrollTo(0, false);
  3713.     },
  3714.  
  3715.     /*
  3716.     Property: toRight
  3717.         Scrolls the chosen element to its maximum right.
  3718.     */
  3719.  
  3720.     toRight: function(){
  3721.         return this.scrollTo('full', false);
  3722.     },
  3723.  
  3724.     /*
  3725.     Property: toElement
  3726.         Scrolls the specified element to the position the passed in element is found. Only usable if the chosen element is == window.
  3727.  
  3728.     Arguments:
  3729.         el - the $(element) to scroll the window to
  3730.     */
  3731.  
  3732.     toElement: function(el){
  3733.         return this.scrollTo($(el).getLeft(), $(el).getTop());
  3734.     },
  3735.  
  3736.     increase: function(){
  3737.         this.element.scrollTo(this.now[0], this.now[1]);
  3738.     }
  3739.  
  3740. });
  3741.  
  3742. /*
  3743. Script: Fx.Slide.js
  3744.     Contains <Fx.Slide>
  3745.  
  3746. Author:
  3747.     Valerio Proietti, <http://mad4milk.net>
  3748.  
  3749. License:
  3750.     MIT-style license.
  3751. */
  3752.  
  3753. /*
  3754. Class: Fx.Slide
  3755.     The slide effect; slides an element in horizontally or vertically, the contents will fold inside. Extends <Fx.Base>, inherits all its properties.
  3756.  
  3757. Note:
  3758.     This effect works on any block element, but the element *cannot be positioned*; no margins or absolute positions. To position the element, put it inside another element (a wrapper div, for instance) and position that instead.
  3759.  
  3760. Options:
  3761.     mode - set it to vertical or horizontal. Defaults to vertical.
  3762.     and all the <Fx.Base> options
  3763.  
  3764. Example:
  3765.     (start code)
  3766.     var mySlider = new Fx.Slide('myElement', {duration: 500});
  3767.     mySlider.toggle() //toggle the slider up and down.
  3768.     (end)
  3769. */
  3770.  
  3771. Fx.Slide = Fx.Base.extend({
  3772.  
  3773.     initialize: function(el, options){
  3774.         this.element = $(el).setStyle('margin', 0);
  3775.         this.wrapper = new Element('div').injectAfter(this.element).setStyle('overflow', 'hidden').adopt(this.element);
  3776.         this.setOptions({'mode': 'vertical'}, options);
  3777.         this.now = [];
  3778.         this.parent(this.options);
  3779.     },
  3780.  
  3781.     setNow: function(){
  3782.         for (var i = 0; i < 2; i++) this.now[i] = this.compute(this.from[i], this.to[i]);
  3783.     },
  3784.  
  3785.     vertical: function(){
  3786.         this.margin = 'top';
  3787.         this.layout = 'height';
  3788.         this.offset = this.element.offsetHeight;
  3789.         return [this.element.getStyle('margin-top').toInt(), this.wrapper.getStyle('height').toInt()];
  3790.     },
  3791.  
  3792.     horizontal: function(){
  3793.         this.margin = 'left';
  3794.         this.layout = 'width';
  3795.         this.offset = this.element.offsetWidth;
  3796.         return [this.element.getStyle('margin-left').toInt(), this.wrapper.getStyle('width').toInt()];
  3797.     },
  3798.  
  3799.     /*
  3800.     Property: slideIn
  3801.         slides the elements in view horizontally or vertically, depending on the mode parameter or options.mode.
  3802.     */
  3803.  
  3804.     slideIn: function(mode){
  3805.         return this.start(this[mode || this.options.mode](), [0, this.offset]);
  3806.     },
  3807.  
  3808.     /*
  3809.     Property: slideOut
  3810.         slides the elements out of the view horizontally or vertically, depending on the mode parameter or options.mode.
  3811.     */
  3812.  
  3813.     slideOut: function(mode){
  3814.         return this.start(this[mode || this.options.mode](), [-this.offset, 0]);
  3815.     },
  3816.  
  3817.     /*
  3818.     Property: hide
  3819.         Hides the element without a transition.
  3820.     */
  3821.  
  3822.     hide: function(mode){
  3823.         this[mode || this.options.mode]();
  3824.         return this.set([-this.offset, 0]);
  3825.     },
  3826.  
  3827.     /*
  3828.     Property: show
  3829.         Shows the element without a transition.
  3830.     */
  3831.  
  3832.     show: function(mode){
  3833.         this[mode || this.options.mode]();
  3834.         return this.set([0, this.offset]);
  3835.     },
  3836.  
  3837.     /*
  3838.     Property: toggle
  3839.         Slides in or Out the element, depending on its state
  3840.     */
  3841.  
  3842.     toggle: function(mode){
  3843.         if (this.wrapper.offsetHeight == 0 || this.wrapper.offsetWidth == 0) return this.slideIn(mode);
  3844.         else return this.slideOut(mode);
  3845.     },
  3846.  
  3847.     increase: function(){
  3848.         this.element.setStyle('margin-'+this.margin, this.now[0]+this.options.unit);
  3849.         this.wrapper.setStyle(this.layout, this.now[1]+this.options.unit);
  3850.     }
  3851.  
  3852. });
  3853.  
  3854. /*
  3855. Script: Fx.Transitions.js
  3856.     Cool transitions, to be used with all the effects.
  3857.  
  3858. Author:
  3859.     Robert Penner, <http://www.robertpenner.com/easing/>, modified to be used with mootools.
  3860.  
  3861. License:
  3862.     Easing Equations v1.5, (c) 2003 Robert Penner, all rights reserved. Open Source BSD License.
  3863. */
  3864.  
  3865. /*
  3866. Class: Fx.Transitions
  3867.     A collection of tweaning transitions for use with the <Fx.Base> classes.
  3868. */
  3869.  
  3870. Fx.Transitions = {
  3871.  
  3872.     /* Property: linear */
  3873.     linear: function(t, b, c, d){
  3874.         return c*t/d + b;
  3875.     },
  3876.  
  3877.     /* Property: quadIn */
  3878.     quadIn: function(t, b, c, d){
  3879.         return c*(t/=d)*t + b;
  3880.     },
  3881.  
  3882.     /* Property: quadOut */
  3883.     quadOut: function(t, b, c, d){
  3884.         return -c *(t/=d)*(t-2) + b;
  3885.     },
  3886.  
  3887.     /* Property: quadInOut */
  3888.     quadInOut: function(t, b, c, d){
  3889.         if ((t/=d/2) < 1) return c/2*t*t + b;
  3890.         return -c/2 * ((--t)*(t-2) - 1) + b;
  3891.     },
  3892.  
  3893.     /* Property: cubicIn */
  3894.     cubicIn: function(t, b, c, d){
  3895.         return c*(t/=d)*t*t + b;
  3896.     },
  3897.  
  3898.     /* Property: cubicOut */
  3899.     cubicOut: function(t, b, c, d){
  3900.         return c*((t=t/d-1)*t*t + 1) + b;
  3901.     },
  3902.  
  3903.     /* Property: cubicInOut */
  3904.     cubicInOut: function(t, b, c, d){
  3905.         if ((t/=d/2) < 1) return c/2*t*t*t + b;
  3906.         return c/2*((t-=2)*t*t + 2) + b;
  3907.     },
  3908.  
  3909.     /* Property: quartIn */
  3910.     quartIn: function(t, b, c, d){
  3911.         return c*(t/=d)*t*t*t + b;
  3912.     },
  3913.  
  3914.     /* Property: quartOut */
  3915.     quartOut: function(t, b, c, d){
  3916.         return -c * ((t=t/d-1)*t*t*t - 1) + b;
  3917.     },
  3918.  
  3919.     /* Property: quartInOut */
  3920.     quartInOut: function(t, b, c, d){
  3921.         if ((t/=d/2) < 1) return c/2*t*t*t*t + b;
  3922.         return -c/2 * ((t-=2)*t*t*t - 2) + b;
  3923.     },
  3924.  
  3925.     /* Property: quintIn */
  3926.     quintIn: function(t, b, c, d){
  3927.         return c*(t/=d)*t*t*t*t + b;
  3928.     },
  3929.  
  3930.     /* Property: quintOut */
  3931.     quintOut: function(t, b, c, d){
  3932.         return c*((t=t/d-1)*t*t*t*t + 1) + b;
  3933.     },
  3934.  
  3935.     /* Property: quintInOut */
  3936.     quintInOut: function(t, b, c, d){
  3937.         if ((t/=d/2) < 1) return c/2*t*t*t*t*t + b;
  3938.         return c/2*((t-=2)*t*t*t*t + 2) + b;
  3939.     },
  3940.  
  3941.     /* Property: sineIn */
  3942.     sineIn: function(t, b, c, d){
  3943.         return -c * Math.cos(t/d * (Math.PI/2)) + c + b;
  3944.     },
  3945.  
  3946.     /* Property: sineOut */
  3947.     sineOut: function(t, b, c, d){
  3948.         return c * Math.sin(t/d * (Math.PI/2)) + b;
  3949.     },
  3950.  
  3951.     /* Property: sineInOut */
  3952.     sineInOut: function(t, b, c, d){
  3953.         return -c/2 * (Math.cos(Math.PI*t/d) - 1) + b;
  3954.     },
  3955.  
  3956.     /* Property: expoIn */
  3957.     expoIn: function(t, b, c, d){
  3958.         return (t==0) ? b : c * Math.pow(2, 10 * (t/d - 1)) + b;
  3959.     },
  3960.  
  3961.     /* Property: expoOut */
  3962.     expoOut: function(t, b, c, d){
  3963.         return (t==d) ? b+c : c * (-Math.pow(2, -10 * t/d) + 1) + b;
  3964.     },
  3965.  
  3966.     /* Property: expoInOut */
  3967.     expoInOut: function(t, b, c, d){
  3968.         if (t==0) return b;
  3969.         if (t==d) return b+c;
  3970.         if ((t/=d/2) < 1) return c/2 * Math.pow(2, 10 * (t - 1)) + b;
  3971.         return c/2 * (-Math.pow(2, -10 * --t) + 2) + b;
  3972.     },
  3973.  
  3974.     /* Property: circIn */
  3975.     circIn: function(t, b, c, d){
  3976.         return -c * (Math.sqrt(1 - (t/=d)*t) - 1) + b;
  3977.     },
  3978.  
  3979.     /* Property: circOut */
  3980.     circOut: function(t, b, c, d){
  3981.         return c * Math.sqrt(1 - (t=t/d-1)*t) + b;
  3982.     },
  3983.  
  3984.     /* Property: circInOut */
  3985.     circInOut: function(t, b, c, d){
  3986.         if ((t/=d/2) < 1) return -c/2 * (Math.sqrt(1 - t*t) - 1) + b;
  3987.         return c/2 * (Math.sqrt(1 - (t-=2)*t) + 1) + b;
  3988.     },
  3989.  
  3990.     /* Property: elasticIn */
  3991.     elasticIn: function(t, b, c, d, a, p){
  3992.         if (t==0) return b; if ((t/=d)==1) return b+c; if (!p) p=d*.3; if (!a) a = 1;
  3993.         if (a < Math.abs(c)){ a=c; var s=p/4; }
  3994.         else var s = p/(2*Math.PI) * Math.asin(c/a);
  3995.         return -(a*Math.pow(2,10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )) + b;
  3996.     },
  3997.  
  3998.     /* Property: elasticOut */
  3999.     elasticOut: function(t, b, c, d, a, p){
  4000.         if (t==0) return b; if ((t/=d)==1) return b+c; if (!p) p=d*.3; if (!a) a = 1;
  4001.         if (a < Math.abs(c)){ a=c; var s=p/4; }
  4002.         else var s = p/(2*Math.PI) * Math.asin(c/a);
  4003.         return a*Math.pow(2,-10*t) * Math.sin( (t*d-s)*(2*Math.PI)/p ) + c + b;
  4004.     },
  4005.  
  4006.     /* Property: elasticInOut */
  4007.     elasticInOut: function(t, b, c, d, a, p){
  4008.         if (t==0) return b; if ((t/=d/2)==2) return b+c; if (!p) p=d*(.3*1.5); if (!a) a = 1;
  4009.         if (a < Math.abs(c)){ a=c; var s=p/4; }
  4010.         else var s = p/(2*Math.PI) * Math.asin(c/a);
  4011.         if (t < 1) return -.5*(a*Math.pow(2,10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )) + b;
  4012.         return a*Math.pow(2,-10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )*.5 + c + b;
  4013.     },
  4014.  
  4015.     /* Property: backIn */
  4016.     backIn: function(t, b, c, d, s){
  4017.         if (!s) s = 1.70158;
  4018.         return c*(t/=d)*t*((s+1)*t - s) + b;
  4019.     },
  4020.  
  4021.     /* Property: backOut */
  4022.     backOut: function(t, b, c, d, s){
  4023.         if (!s) s = 1.70158;
  4024.         return c*((t=t/d-1)*t*((s+1)*t + s) + 1) + b;
  4025.     },
  4026.  
  4027.     /* Property: backInOut */
  4028.     backInOut: function(t, b, c, d, s){
  4029.         if (!s) s = 1.70158;
  4030.         if ((t/=d/2) < 1) return c/2*(t*t*(((s*=(1.525))+1)*t - s)) + b;
  4031.         return c/2*((t-=2)*t*(((s*=(1.525))+1)*t + s) + 2) + b;
  4032.     },
  4033.  
  4034.     /* Property: bounceIn */
  4035.     bounceIn: function(t, b, c, d){
  4036.         return c - Fx.Transitions.bounceOut (d-t, 0, c, d) + b;
  4037.     },
  4038.  
  4039.     /* Property: bounceOut */
  4040.     bounceOut: function(t, b, c, d){
  4041.         if ((t/=d) < (1/2.75)){
  4042.             return c*(7.5625*t*t) + b;
  4043.         } else if (t < (2/2.75)){
  4044.             return c*(7.5625*(t-=(1.5/2.75))*t + .75) + b;
  4045.         } else if (t < (2.5/2.75)){
  4046.             return c*(7.5625*(t-=(2.25/2.75))*t + .9375) + b;
  4047.         } else {
  4048.             return c*(7.5625*(t-=(2.625/2.75))*t + .984375) + b;
  4049.         }
  4050.     },
  4051.  
  4052.     /* Property: bounceInOut */
  4053.     bounceInOut: function(t, b, c, d){
  4054.         if (t < d/2) return Fx.Transitions.bounceIn(t*2, 0, c, d) * .5 + b;
  4055.         return Fx.Transitions.bounceOut(t*2-d, 0, c, d) * .5 + c*.5 + b;
  4056.     }
  4057.  
  4058. };
  4059.  
  4060. /*
  4061. Script: Drag.Base.js
  4062.     Contains <Drag.Base>, <Element.makeResizable>
  4063.  
  4064. Author:
  4065.     Valerio Proietti, <http://mad4milk.net>
  4066.  
  4067. License:
  4068.     MIT-style license.
  4069. */
  4070.  
  4071. var Drag = {};
  4072.  
  4073. /*
  4074. Class: Drag.Base
  4075.     Modify two css properties of an element based on the position of the mouse.
  4076.  
  4077. Arguments:
  4078.     el - the $(element) to apply the transformations to.
  4079.     options - optional. The options object.
  4080.  
  4081. Options:
  4082.     handle - the $(element) to act as the handle for the draggable element. defaults to the $(element) itself.
  4083.     modifiers - an object. see Modifiers Below.
  4084.     onStart - optional, function to execute when the user starts to drag (on mousedown);
  4085.     onComplete - optional, function to execute when the user completes the drag.
  4086.     onDrag - optional, function to execute at every step of the drag
  4087.     limit - an object, see Limit below.
  4088.     snap - optional, the distance you have to drag before the element starts to respond to the drag. defaults to false
  4089.  
  4090.     modifiers:
  4091.         x - string, the style you want to modify when the mouse moves in an horizontal direction. defaults to 'left'
  4092.         y - string, the style you want to modify when the mouse moves in a vertical direction. defaults to 'top'
  4093.  
  4094.     limit:
  4095.         x - array with start and end limit relative to modifiers.x
  4096.         y - array with start and end limit relative to modifiers.y
  4097. */
  4098.  
  4099. Drag.Base = new Class({
  4100.  
  4101.     getOptions: function(){
  4102.         return {
  4103.             handle: false,
  4104.             unit: 'px',
  4105.             onStart: Class.empty,
  4106.             onBeforeStart: Class.empty,
  4107.             onComplete: Class.empty,
  4108.             onSnap: Class.empty,
  4109.             onDrag: Class.empty,
  4110.             limit: false,
  4111.             modifiers: {x: 'left', y: 'top'},
  4112.             snap: 6
  4113.         };
  4114.     },
  4115.  
  4116.     initialize: function(el, options){
  4117.         this.setOptions(this.getOptions(), options);
  4118.         this.element = $(el);
  4119.         this.handle = $(this.options.handle) || this.element;
  4120.         this.mouse = {'now': {}, 'pos': {}};
  4121.         this.value = {'start': {}, 'now': {}};
  4122.         this.bound = {'start': this.start.bindWithEvent(this)};
  4123.         this.attach();
  4124.         if (this.options.initialize) this.options.initialize.call(this);
  4125.     },
  4126.     
  4127.     attach: function(){
  4128.         this.handle.addEvent('mousedown', this.bound.start);
  4129.     },
  4130.  
  4131.     start: function(event){
  4132.         this.fireEvent('onBeforeStart', this.element);
  4133.         this.mouse.start = event.page;
  4134.         var limit = this.options.limit;
  4135.         this.limit = {'x': [], 'y': []};
  4136.         for (var z in this.options.modifiers){
  4137.             this.value.now[z] = this.element.getStyle(this.options.modifiers[z]).toInt();
  4138.             this.mouse.pos[z] = event.page[z] - this.value.now[z];
  4139.             if (limit && limit[z]){
  4140.                 for (var i = 0; i < 2; i++){
  4141.                     if ($chk(limit[z][i])) this.limit[z][i] = limit[z][i].apply ? limit[z][i].call(this) : limit[z][i];
  4142.                 }
  4143.             }
  4144.         }
  4145.         this.bound.drag = this.drag.bindWithEvent(this);
  4146.         this.bound.stop = this.stop.bind(this);
  4147.         this.bound.move = this.options.snap ? this.checkAndDrag.bindWithEvent(this) : this.bound.drag;
  4148.         document.addEvent('mousemove', this.bound.move);
  4149.         document.addEvent('mouseup', this.bound.stop);
  4150.         this.fireEvent('onStart', this.element);
  4151.         event.stop();
  4152.     },
  4153.  
  4154.     checkAndDrag: function(event){
  4155.         var distance = Math.round(Math.sqrt(Math.pow(event.page.x - this.mouse.start.x, 2) + Math.pow(event.page.y - this.mouse.start.y, 2)));
  4156.         if (distance > this.options.snap){
  4157.             document.removeEvent('mousemove', this.bound.move);
  4158.             this.bound.move = this.bound.drag;
  4159.             document.addEvent('mousemove', this.bound.move);
  4160.             this.drag(event);
  4161.             this.fireEvent('onSnap', this.element);
  4162.         }
  4163.         event.stop();
  4164.     },
  4165.  
  4166.     drag: function(event){
  4167.         this.out = false;
  4168.         this.mouse.now = event.page;
  4169.         for (var z in this.options.modifiers){
  4170.             this.value.now[z] = this.mouse.now[z] - this.mouse.pos[z];
  4171.             if (this.limit[z]){
  4172.                 if ($chk(this.limit[z][1]) && (this.value.now[z] > this.limit[z][1])){
  4173.                     this.value.now[z] = this.limit[z][1];
  4174.                     this.out = true;
  4175.                 } else if ($chk(this.limit[z][0]) && (this.value.now[z] < this.limit[z][0])){
  4176.                     this.value.now[z] = this.limit[z][0];
  4177.                     this.out = true;
  4178.                 }
  4179.             }
  4180.             this.element.setStyle(this.options.modifiers[z], this.value.now[z] + this.options.unit);
  4181.         }
  4182.         this.fireEvent('onDrag', this.element);
  4183.         event.stop();
  4184.     },
  4185.     
  4186.     detach: function(){
  4187.         this.handle.removeEvent('mousedown', this.bound.start);
  4188.     },
  4189.  
  4190.     stop: function(){
  4191.         document.removeEvent('mousemove', this.bound.move);
  4192.         document.removeEvent('mouseup', this.bound.stop);
  4193.         this.fireEvent('onComplete', this.element);
  4194.     }
  4195.  
  4196. });
  4197.  
  4198. Drag.Base.implement(new Events);
  4199. Drag.Base.implement(new Options);
  4200.  
  4201. /*
  4202. Class: Element
  4203.     Custom class to allow all of its methods to be used with any DOM element via the dollar function <$>.
  4204. */
  4205.  
  4206. Element.extend({
  4207.  
  4208.     /*
  4209.     Property: makeResizable
  4210.         Makes an element resizable (by dragging) with the supplied options.
  4211.  
  4212.     Arguments:
  4213.         options - see <Drag.Base> for acceptable options.
  4214.     */
  4215.  
  4216.     makeResizable: function(options){
  4217.         return new Drag.Base(this, Object.extend(options || {}, {modifiers: {x: 'width', y: 'height'}}));
  4218.     }
  4219.  
  4220. });
  4221.  
  4222. /*
  4223. Script: Drag.Move.js
  4224.     Contains <Drag.Move>, <Element.makeDraggable>
  4225.  
  4226. Author:
  4227.     Valerio Proietti, <http://mad4milk.net>
  4228.  
  4229. License:
  4230.     MIT-style license.
  4231. */
  4232.  
  4233. /*
  4234. Class: Drag.Move
  4235.     Extends <Drag.Base>, has additional functionality for dragging an element, support snapping and droppables.
  4236.     Drag.move supports either position absolute or relative. If no position is found, absolute will be set.
  4237.  
  4238. Arguments:
  4239.     el - the $(element) to apply the drag to.
  4240.     options - optional. see Options below.
  4241.  
  4242. Options:
  4243.     all the drag.Base options, plus:
  4244.     container - an element, will fill automatically limiting options based on the $(element) size and position. defaults to false (no limiting)
  4245.     droppables - an array of elements you can drop your draggable to.
  4246. */
  4247.  
  4248. Drag.Move = Drag.Base.extend({
  4249.  
  4250.     getExtended: function(){
  4251.         return {
  4252.             droppables: [],
  4253.             container: false,
  4254.             overflown: []
  4255.         }
  4256.     },
  4257.  
  4258.     initialize: function(el, options){
  4259.         this.setOptions(this.getExtended(), options);
  4260.         this.element = $(el);
  4261.         this.position = this.element.getStyle('position');
  4262.         this.droppables = $$(this.options.droppables);
  4263.         if (!['absolute', 'relative'].test(this.position)) this.position = 'absolute';
  4264.         var top = this.element.getStyle('top').toInt();
  4265.         var left = this.element.getStyle('left').toInt();
  4266.         if (this.position == 'absolute'){
  4267.             top = $chk(top) ? top : this.element.getTop();
  4268.             left = $chk(left) ? left : this.element.getLeft();
  4269.         } else {
  4270.             top = $chk(top) ? top : 0;
  4271.             left = $chk(left) ? left : 0;
  4272.         }
  4273.         this.element.setStyles({
  4274.             'top': top+'px',
  4275.             'left': left+'px',
  4276.             'position': this.position
  4277.         });
  4278.         this.parent(this.element, this.options);
  4279.     },
  4280.  
  4281.     start: function(event){
  4282.         this.container = $(this.options.container);
  4283.         if (this.container){
  4284.             var cont = this.container.getCoordinates();
  4285.             var el = this.element.getCoordinates();
  4286.             if (this.position == 'absolute'){
  4287.                 this.options.limit = {
  4288.                     'x': [cont.left, cont.right - el.width],
  4289.                     'y': [cont.top, cont.bottom - el.height]
  4290.                 };
  4291.             } else {
  4292.                 var diffx = el.left - this.element.getStyle('left').toInt();
  4293.                 var diffy = el.top - this.element.getStyle('top').toInt();
  4294.                 this.options.limit = {
  4295.                     'y': [-(diffy) + cont.top, cont.bottom - diffy - el.height],
  4296.                     'x': [-(diffx) + cont.left, cont.right - diffx - el.width]
  4297.                 };
  4298.             }
  4299.         }
  4300.         this.parent(event);
  4301.     },
  4302.  
  4303.     drag: function(event){
  4304.         this.parent(event);
  4305.         if (this.out) return this;
  4306.         this.droppables.each(function(drop){
  4307.             if (this.checkAgainst($(drop))){
  4308.                 if (!drop.overing) drop.fireEvent('over', [this.element, this]);
  4309.                 drop.overing = true;
  4310.             } else {
  4311.                 if (drop.overing) drop.fireEvent('leave', [this.element, this]);
  4312.                 drop.overing = false;
  4313.             }
  4314.         }, this);
  4315.         return this;
  4316.     },
  4317.  
  4318.     checkAgainst: function(el){
  4319.         el = el.getCoordinates(this.options.overflown);
  4320.         return (this.mouse.now.x > el.left && this.mouse.now.x < el.right && this.mouse.now.y < el.bottom && this.mouse.now.y > el.top);
  4321.     },
  4322.  
  4323.     stop: function(){
  4324.         this.parent();
  4325.         this.timer = $clear(this.timer);
  4326.         if (this.out) return this;
  4327.         var dropped = false;
  4328.         this.droppables.each(function(drop){
  4329.             if (this.checkAgainst(drop)){
  4330.                 drop.fireEvent('drop', [this.element, this]);
  4331.                 dropped = true;
  4332.             }
  4333.         }, this);
  4334.         if (!dropped) this.element.fireEvent('drop', this);
  4335.         return this;
  4336.     }
  4337.  
  4338. });
  4339.  
  4340. /*
  4341. Class: Element
  4342.     Custom class to allow all of its methods to be used with any DOM element via the dollar function <$>.
  4343. */
  4344.  
  4345. Element.extend({
  4346.  
  4347.     /*
  4348.     Property: makeDraggable
  4349.         Makes an element draggable with the supplied options.
  4350.  
  4351.     Arguments:
  4352.         options - see <Drag.Move> and <Drag.Base> for acceptable options.
  4353.     */
  4354.  
  4355.     makeDraggable: function(options){
  4356.         return new Drag.Move(this, options);
  4357.     }
  4358.  
  4359. });
  4360.  
  4361. /*
  4362. Script: XHR.js
  4363.     Contains the basic XMLHttpRequest Class Wrapper.
  4364.  
  4365. Author:
  4366.     Valerio Proietti, <http://mad4milk.net>
  4367.  
  4368. License:
  4369.     MIT-style license.
  4370. */
  4371.  
  4372. /*
  4373. Class: XHR
  4374.     Basic XMLHttpRequest Wrapper.
  4375.  
  4376. Arguments:
  4377.     
  4378.  
  4379. Options:
  4380.     method - 'post' or 'get' - the prototcol for the request; optional, defaults to 'post'.
  4381.     async - boolean: asynchronous option; true uses asynchronous requests. Defaults to true.
  4382.     onRequest - function to execute when the XHR request is fired.
  4383.     onSuccess - function to execute when the XHR request completes.
  4384.     onStateChange - function to execute when the state of the XMLHttpRequest changes.
  4385.     onFailure - function to execute when the state of the XMLHttpRequest changes.
  4386.     headers - accepts an object, that will be set to request headers.
  4387.  
  4388. Example:
  4389.     >var myXHR = new XHR({method: 'get'}).send('http://site.com/requestHandler.php', 'name=john&lastname=doe');
  4390. */
  4391.  
  4392. var XHR = new Class({
  4393.  
  4394.     getOptions: function(){
  4395.         return {
  4396.             method: 'post',
  4397.             async: true,
  4398.             onRequest: Class.empty,
  4399.             onStateChange: Class.empty,
  4400.             onSuccess: Class.empty,
  4401.             onFailure: Class.empty,
  4402.             headers: {},
  4403.             isSuccess: this.isSuccess
  4404.         }
  4405.     },
  4406.  
  4407.     initialize: function(options){
  4408.         this.transport = window.XMLHttpRequest ? new XMLHttpRequest() : (window.ie ? new ActiveXObject('Microsoft.XMLHTTP') : false);
  4409.         this.setOptions(this.getOptions(), options);
  4410.         if (!this.transport) return;
  4411.         this.headers = {};
  4412.         if (this.options.initialize) this.options.initialize.call(this);
  4413.     },
  4414.  
  4415.     onStateChange: function(){
  4416.         this.fireEvent('onStateChange', this.transport);
  4417.         if (this.transport.readyState != 4) return;
  4418.         var status = 0;
  4419.         try {status = this.transport.status} catch (e){}
  4420.         if (this.options.isSuccess(status)) this.onSuccess();
  4421.         else this.onFailure();
  4422.         this.transport.onreadystatechange = Class.empty;
  4423.     },
  4424.     
  4425.     isSuccess: function(status){
  4426.         return ((status >= 200) && (status < 300));
  4427.     },
  4428.     
  4429.     onSuccess: function(){
  4430.         this.response = {
  4431.             'text': this.transport.responseText,
  4432.             'xml': this.transport.responseXML
  4433.         };
  4434.         this.fireEvent('onSuccess', [this.response.text, this.response.xml]);
  4435.         this.callChain();
  4436.     },
  4437.     
  4438.     onFailure: function(){
  4439.         this.fireEvent('onFailure', this.transport);
  4440.     },
  4441.  
  4442.     setHeader: function(name, value){
  4443.         this.headers[name] = value;
  4444.         return this;
  4445.     },
  4446.  
  4447.     send: function(url, data){
  4448.         this.fireEvent('onRequest');
  4449.         this.transport.open(this.options.method, url, this.options.async);
  4450.         this.transport.onreadystatechange = this.onStateChange.bind(this);
  4451.         if ((this.options.method == 'post') && this.transport.overrideMimeType) this.setHeader('Connection', 'close');
  4452.         Object.extend(this.headers, this.options.headers);
  4453.         for (var type in this.headers) this.transport.setRequestHeader(type, this.headers[type]);
  4454.         this.transport.send(data);
  4455.         return this;
  4456.     }
  4457.  
  4458. });
  4459.  
  4460. XHR.implement(new Chain);
  4461. XHR.implement(new Events);
  4462. XHR.implement(new Options);
  4463.  
  4464. /*
  4465. Script: Ajax.js
  4466.     Contains the <Ajax> class. Also contains methods to generate querystings from forms and Objects.
  4467.  
  4468. Authors:
  4469.     - Valerio Proietti, <http://mad4milk.net>
  4470.     - Christophe Beyls, <http://digitalia.be>
  4471.  
  4472. Credits:
  4473.     Loosely based on the version from prototype.js <http://prototype.conio.net>
  4474.  
  4475. License:
  4476.     MIT-style license.
  4477. */
  4478.  
  4479. /*
  4480. Class: Ajax
  4481.     An Ajax class, For all your asynchronous needs. Inherits methods, properties and options from <XHR>.
  4482.  
  4483. Arguments:
  4484.     url - the url pointing to the server-side script.
  4485.     options - optional, an object containing options.
  4486.  
  4487. Options:
  4488.     postBody - if method is post, you can write parameters here. Can be a querystring, an object or a Form element.
  4489.     onComplete - function to execute when the ajax request completes.
  4490.     update - $(element) to insert the response text of the XHR into, upon completion of the request.
  4491.     evalScripts - boolean; default is false. Execute scripts in the response text onComplete.
  4492.     evalResponse - boolean; should you eval the whole responsetext? I dont know, but this option makes it possible.
  4493.     encoding - the encoding, defaults to utf-8.
  4494.  
  4495. Example:
  4496.     >var myAjax = new Ajax(url, {method: 'get'}).request();
  4497. */
  4498.  
  4499. var Ajax = XHR.extend({
  4500.  
  4501.     moreOptions: function(){
  4502.         return {
  4503.             postBody: null,
  4504.             update: null,
  4505.             onComplete: Class.empty,
  4506.             evalScripts: false,
  4507.             evalResponse: false,
  4508.             encoding: 'utf-8'
  4509.         };
  4510.     },
  4511.  
  4512.     initialize: function(url, options){
  4513.         this.addEvent('onSuccess', this.onComplete);
  4514.         this.setOptions(this.moreOptions(), options);
  4515.         this.parent(this.options);
  4516.         if (!['post', 'get'].test(this.options.method)){
  4517.             this._method = '_method='+this.options.method;
  4518.             this.options.method = 'post';
  4519.         }
  4520.         if (this.options.method == 'post'){
  4521.             var encoding = (this.options.encoding) ? '; charset=' + this.options.encoding : '';
  4522.             this.setHeader('Content-type', 'application/x-www-form-urlencoded' + encoding);
  4523.         }
  4524.         this.setHeader('X-Requested-With', 'XMLHttpRequest');
  4525.         this.setHeader('Accept', 'text/javascript, text/html, application/xml, text/xml, */*');
  4526.         this.url = url;
  4527.     },
  4528.  
  4529.     onComplete: function(){
  4530.         if (this.options.update) $(this.options.update).setHTML(this.response.text);
  4531.         if (this.options.evalResponse) eval(this.response.text);
  4532.         if (this.options.evalScripts) this.evalScripts.delay(30, this);
  4533.         this.fireEvent('onComplete', [this.response.text, this.response.xml], 20);
  4534.     },
  4535.  
  4536.     /*
  4537.     Property: request
  4538.         Executes the ajax request.
  4539.  
  4540.     Example:
  4541.         >var myAjax = new Ajax(url, {method: 'get'});
  4542.         >myAjax.request();
  4543.  
  4544.         OR
  4545.  
  4546.         >new Ajax(url, {method: 'get'}).request();
  4547.     */
  4548.  
  4549.     request: function(){
  4550.         var data = null;
  4551.         switch ($type(this.options.postBody)){
  4552.             case 'element': data = $(this.options.postBody).toQueryString(); break;
  4553.             case 'object': data = Object.toQueryString(this.options.postBody); break;
  4554.             case 'string': data = this.options.postBody;
  4555.         }
  4556.         if (this._method) data = (data) ? [this._method, data].join('&') : this._method;
  4557.         return this.send(this.url, data);
  4558.     },
  4559.  
  4560.     /*
  4561.     Property: evalScripts
  4562.         Executes scripts in the response text
  4563.     */
  4564.  
  4565.     evalScripts: function(){
  4566.         var script, regexp = /<script[^>]*>([\s\S]*?)<\/script>/gi;
  4567.         while ((script = regexp.exec(this.response.text))) eval(script[1]);
  4568.     }
  4569.  
  4570. });
  4571.  
  4572. /* Section: Object related Functions */
  4573.  
  4574. /*
  4575. Function: Object.toQueryString
  4576.     Generates a querystring from key/pair values in an object
  4577.  
  4578. Arguments:
  4579.     source - the object to generate the querystring from.
  4580.  
  4581. Returns:
  4582.     the query string.
  4583.  
  4584. Example:
  4585.     >Object.toQueryString({apple: "red", lemon: "yellow"}); //returns "apple=red&lemon=yellow"
  4586. */
  4587.  
  4588. Object.toQueryString = function(source){
  4589.     var queryString = [];
  4590.     for (var property in source) queryString.push(encodeURIComponent(property)+'='+encodeURIComponent(source[property]));
  4591.     return queryString.join('&');
  4592. };
  4593.  
  4594. /*
  4595. Class: Element
  4596.     Custom class to allow all of its methods to be used with any DOM element via the dollar function <$>.
  4597. */
  4598.  
  4599. Element.extend({
  4600.  
  4601.     /*
  4602.     Property: send
  4603.         Sends a form with an ajax post request
  4604.  
  4605.     Arguments:
  4606.         options - option collection for ajax request. See <Ajax> for the options list.
  4607.  
  4608.     Returns:
  4609.         The Ajax Class Instance
  4610.  
  4611.     Example:
  4612.         (start code)
  4613.         <form id="myForm" action="submit.php">
  4614.         <input name="email" value="bob@bob.com">
  4615.         <input name="zipCode" value="90210">
  4616.         </form>
  4617.         <script>
  4618.         $('myForm').send()
  4619.         </script>
  4620.         (end)
  4621.     */
  4622.  
  4623.     send: function(options){
  4624.         options = Object.extend(options || {}, {postBody: this.toQueryString(), method: 'post'});
  4625.         return new Ajax(this.getProperty('action'), options).request();
  4626.     },
  4627.  
  4628.     /*
  4629.     Property: toQueryString
  4630.         Reads the children inputs of the Element and generates a query string, based on their values. Used internally in <Ajax>
  4631.  
  4632.     Example:
  4633.         (start code)
  4634.         <form id="myForm" action="submit.php">
  4635.         <input name="email" value="bob@bob.com">
  4636.         <input name="zipCode" value="90210">
  4637.         </form>
  4638.  
  4639.         <script>
  4640.          $('myForm').toQueryString()
  4641.         </script>
  4642.         (end)
  4643.  
  4644.         Returns:
  4645.             email=bob@bob.com&zipCode=90210
  4646.     */
  4647.  
  4648.     toObject: function(){
  4649.         var obj = {};
  4650.         $$(this.getElementsByTagName('input'), this.getElementsByTagName('select'), this.getElementsByTagName('textarea')).each(function(el){
  4651.             var name = $(el).name;
  4652.             var value = el.getValue();
  4653.             if ((value !== false) && name) obj[name] = value;
  4654.         });
  4655.         return obj;
  4656.     },
  4657.  
  4658.     toQueryString: function(){
  4659.         return Object.toQueryString(this.toObject());
  4660.     }
  4661.  
  4662. });
  4663.  
  4664. /*
  4665. Script: Cookie.js
  4666.     A cookie reader/creator
  4667.  
  4668. Author:
  4669.     Christophe Beyls, <http://www.digitalia.be>
  4670.  
  4671. Credits: 
  4672.     based on the functions by Peter-Paul Koch (http://quirksmode.org)
  4673. */
  4674.  
  4675. /*
  4676. Class: Cookie
  4677.     Class for creating, getting, and removing cookies.
  4678. */
  4679.  
  4680. var Cookie = {
  4681.  
  4682.     /*
  4683.     Property: set
  4684.         Sets a cookie in the browser.
  4685.  
  4686.     Arguments:
  4687.         key - the key (name) for the cookie
  4688.         value - the value to set, cannot contain semicolons
  4689.         options - an object representing the Cookie options. See Options below:
  4690.  
  4691.     Options:
  4692.         domain - the domain the Cookie belongs to. If you want to share the cookie with pages located on a different domain, you have to set this value. Defaults to the current domain.
  4693.         path - the path the Cookie belongs to. If you want to share the cookie with pages located in a different path, you have to set this value, for example to "/" to share the cookie with all pages on the domain. Defaults to the current path.
  4694.         duration - the duration of the Cookie before it expires, in days.
  4695.                    If set to false or 0, the cookie will be a session cookie that expires when the browser is closed. Defaults to 365 days.
  4696.  
  4697.     Example:
  4698.         >Cookie.set("username", "Aaron", {duration: 5}); //save this for 5 days
  4699.         >Cookie.set("username", "Jack", {duration: false}); //session cookie
  4700.  
  4701.     */
  4702.  
  4703.     set: function(key, value, options){
  4704.         options = Object.extend({
  4705.             domain: false,
  4706.             path: false,
  4707.             duration: 365
  4708.         }, options || {});
  4709.         value = escape(value);
  4710.         if (options.domain) value += "; domain=" + options.domain;
  4711.         if (options.path) value += "; path=" + options.path;
  4712.         if (options.duration){
  4713.             var date = new Date();
  4714.             date.setTime(date.getTime() + (options.duration * 86400000));
  4715.             value += "; expires=" + date.toGMTString();
  4716.         }
  4717.         document.cookie = key + "=" + value;
  4718.     },
  4719.  
  4720.     /*
  4721.     Property: get
  4722.         Gets the value of a cookie.
  4723.  
  4724.     Arguments:
  4725.         key - the name of the cookie you wish to retrieve.
  4726.  
  4727.     Returns:
  4728.         The cookie string value, or false if not found.
  4729.  
  4730.     Example:
  4731.         >Cookie.get("username") //returns Aaron
  4732.     */
  4733.  
  4734.     get: function(key){
  4735.         var value = document.cookie.match('(?:^|;)\\s*'+key+'=([^;]*)');
  4736.         return value ? unescape(value[1]) : false;
  4737.     },
  4738.  
  4739.     /*
  4740.     Property: remove
  4741.         Removes a cookie from the browser.
  4742.  
  4743.     Arguments:
  4744.         key - the name of the cookie to remove
  4745.  
  4746.     Examples:
  4747.         >Cookie.remove("username") //bye-bye Aaron
  4748.     */
  4749.  
  4750.     remove: function(key){
  4751.         this.set(key, '', {duration: -1});
  4752.     }
  4753.  
  4754. };
  4755.  
  4756. /*
  4757. Script: Json.js
  4758.     Simple Json parser and Stringyfier, See: <http://www.json.org/>
  4759.  
  4760. Authors:
  4761.     - Christophe Beyls, <http://www.digitalia.be>
  4762.     - Valerio Proietti, <http://mad4milk.net>
  4763.  
  4764. License:
  4765.     MIT-style license.
  4766. */
  4767.  
  4768. /*
  4769. Class: Json
  4770.     Simple Json parser and Stringyfier, See: <http://www.json.org/>
  4771. */
  4772.  
  4773. var Json = {
  4774.  
  4775.     /*
  4776.     Property: toString
  4777.         Converts an object to a string, to be passed in server-side scripts as a parameter. Although its not normal usage for this class, this method can also be used to convert functions and arrays to strings.
  4778.  
  4779.     Arguments:
  4780.         obj - the object to convert to string
  4781.  
  4782.     Returns:
  4783.         A json string
  4784.  
  4785.     Example:
  4786.         (start code)
  4787.         Json.toString({apple: 'red', lemon: 'yellow'}); "{"apple":"red","lemon":"yellow"}" //don't get hung up on the quotes; it's just a string.
  4788.         (end)
  4789.     */
  4790.  
  4791.     toString: function(obj){
  4792.         switch ($type(obj)){
  4793.             case 'string':
  4794.                 return '"'+obj.replace(new RegExp('(["\\\\])', 'g'), '\\$1')+'"';
  4795.             case 'array':
  4796.                 return '['+ obj.map(function(ar){
  4797.                     return Json.toString(ar);
  4798.                 }).join(',') +']';
  4799.             case 'object':
  4800.                 var string = [];
  4801.                 for (var property in obj) string.push('"'+property+'":'+Json.toString(obj[property]));
  4802.                 return '{'+string.join(',')+'}';
  4803.         }
  4804.         return String(obj);
  4805.     },
  4806.  
  4807.     /*
  4808.     Property: evaluate
  4809.         converts a json string to an javascript Object.
  4810.  
  4811.     Arguments:
  4812.         str - the string to evaluate.
  4813.  
  4814.     Example:
  4815.         >var myObject = Json.evaluate('{"apple":"red","lemon":"yellow"}');
  4816.         >//myObject will become {apple: 'red', lemon: 'yellow'}
  4817.     */
  4818.  
  4819.     evaluate: function(str){
  4820.         return eval('(' + str + ')');
  4821.     }
  4822.  
  4823. };
  4824.  
  4825. /*
  4826. Script: Json.Remote.js
  4827.     Contains <Json.Remote>.
  4828.  
  4829. Author:
  4830.     Valerio Proietti, <http://mad4milk.net>
  4831.  
  4832. License:
  4833.     MIT-style license.
  4834. */
  4835.  
  4836. /*
  4837. Class: Json.Remote
  4838.     Wrapped XHR with automated sending and receiving of Javascript Objects in Json Format.
  4839.  
  4840. Arguments:
  4841.     url - the url you want to send your object to.
  4842.     options - see <XHR> options
  4843.  
  4844. Example:
  4845.     this code will send user information based on name/last name
  4846.     (start code)
  4847.     var jSonRequest = new Json.Remote("http://site.com/tellMeAge.php", onComplete: function(person){
  4848.         alert(person.age); //is 25 years
  4849.         alert(person.height); //is 170 cm
  4850.         alert(person.weight); //is 120 kg
  4851.     }).send({'name': 'John', 'lastName': 'Doe'});
  4852.     (end)
  4853. */
  4854.  
  4855. Json.Remote = XHR.extend({
  4856.  
  4857.     initialize: function(url, options){
  4858.         this.url = url;
  4859.         this.addEvent('onSuccess', this.onComplete);
  4860.         this.parent(options);
  4861.         this.setHeader('X-Request', 'JSON');
  4862.     },
  4863.  
  4864.     send: function(obj){
  4865.         return this.parent(this.url, 'json='+Json.toString(obj));
  4866.     },
  4867.  
  4868.     onComplete: function(){
  4869.         this.fireEvent('onComplete', Json.evaluate(this.response.text));
  4870.     }
  4871.  
  4872. });
  4873.  
  4874. /*
  4875. Script: Accordion.js
  4876.     Contains <Accordion>
  4877.  
  4878. Author:
  4879.     Valerio Proietti, <http://mad4milk.net>
  4880.  
  4881. License:
  4882.     MIT-style license.
  4883. */
  4884.  
  4885. /*
  4886. Class: Accordion
  4887.     The Accordion class creates a group of elements that are toggled when their handles are clicked. When one elements toggles in, the others toggles back.
  4888.  
  4889. Arguments:
  4890.     elements - required, a collection of elements the transitions will be applied to.
  4891.     togglers - required, a collection of elements, the elements handlers that will be clickable.
  4892.     options - optional, see options below, and <Fx.Base> options.
  4893.  
  4894. Options:
  4895.     show - integer, the Index of the element to show at start.
  4896.     display - integer, the Index of the element to show at start (with a transition). defaults to 0.
  4897.     fixedHeight - integer, if you want the elements to have a fixed height. defaults to false.
  4898.     fixedWidth - integer, if you want the elements to have a fixed width. defaults to false.
  4899.     onActive - function to execute when an element starts to show
  4900.     onBackground - function to execute when an element starts to hide
  4901.     height - boolean, will add a height transition to the accordion if true. defaults to true.
  4902.     opacity - boolean, will add an opacity transition to the accordion if true. defaults to true.
  4903.     width - boolean, will add a width transition to the accordion if true. defaults to false, css mastery is required to make this work!
  4904.     alwaysHide - boolean, will allow to hide all elements if true, instead of always keeping one element shown. defaults to false.
  4905. */
  4906.  
  4907. var Accordion = Fx.Elements.extend({
  4908.  
  4909.     getExtended: function(){
  4910.         return {
  4911.             onActive: Class.empty,
  4912.             onBackground: Class.empty,
  4913.             display: 0,
  4914.             show: false,
  4915.             height: true,
  4916.             width: false,
  4917.             opacity: true,
  4918.             fixedHeight: false,
  4919.             fixedWidth: false,
  4920.             wait: false,
  4921.             alwaysHide: false
  4922.         };
  4923.     },
  4924.  
  4925.     initialize: function(togglers, elements, options){
  4926.         this.setOptions(this.getExtended(), options);
  4927.         this.previous = -1;
  4928.         if (this.options.alwaysHide) this.options.wait = true;
  4929.         if ($chk(this.options.show)){
  4930.             this.options.display = false;
  4931.             this.previous = this.options.show;
  4932.         }
  4933.         if (this.options.start){
  4934.             this.options.display = false;
  4935.             this.options.show = false;
  4936.         }
  4937.         this.togglers = $$(togglers);
  4938.         this.elements = $$(elements);
  4939.         this.togglers.each(function(tog, i){
  4940.             tog.addEvent('click', this.display.bind(this, i));
  4941.         }, this);
  4942.         this.elements.each(function(el, i){
  4943.             el.fullOpacity = 1;
  4944.             if (this.options.fixedWidth) el.fullWidth = this.options.fixedWidth;
  4945.             if (this.options.fixedHeight) el.fullHeight = this.options.fixedHeight;
  4946.             el.setStyle('overflow', 'hidden');
  4947.         }, this);
  4948.         this.effects = {};
  4949.         if (this.options.opacity) this.effects.opacity = 'fullOpacity';
  4950.         if (this.options.width) this.effects.width = this.options.fixedWidth ? 'fullWidth' : 'offsetWidth';
  4951.         if (this.options.height) this.effects.height = this.options.fixedHeight ? 'fullHeight' : 'scrollHeight';
  4952.         this.elements.each(function(el, i){
  4953.             if (this.options.show === i) this.fireEvent('onActive', [this.togglers[i], el]);
  4954.             else for (var fx in this.effects) el.setStyle(fx, 0);
  4955.         }, this);
  4956.         this.parent(this.elements, this.options);
  4957.         if ($chk(this.options.display)) this.display(this.options.display);
  4958.     },
  4959.  
  4960.     /*
  4961.     Property: display
  4962.         Shows a specific section and hides all others. Useful when triggering an accordion from outside.
  4963.  
  4964.     Arguments:
  4965.         index - integer, the index of the item to show.
  4966.     */
  4967.  
  4968.     display: function(index){
  4969.         if ((this.timer && this.options.wait) || (index === this.previous && !this.options.alwaysHide)) return this;
  4970.         this.previous = index;
  4971.         var obj = {};
  4972.         this.elements.each(function(el, i){
  4973.             obj[i] = {};
  4974.             if ((i != index) || (this.options.alwaysHide && (el.offsetHeight > 0))){
  4975.                 this.fireEvent('onBackground', [this.togglers[i], el]);
  4976.                 for (var fx in this.effects) obj[i][fx] = 0;
  4977.             } else {
  4978.                 this.fireEvent('onActive', [this.togglers[i], el]);
  4979.                 for (var fx in this.effects) obj[i][fx] = el[this.effects[fx]];
  4980.             }
  4981.         }, this);
  4982.         return this.start(obj);
  4983.     },
  4984.  
  4985.     showThisHideOpen: function(index){return this.display(index)}
  4986.  
  4987. });
  4988.  
  4989. Fx.Accordion = Accordion;
  4990.  
  4991. /*
  4992. Script: Scroller.js
  4993.     Contains the <Scroller>.
  4994.  
  4995. Author:
  4996.     Valerio Proietti, <http://mad4milk.net>
  4997.  
  4998. License:
  4999.     MIT-style license.
  5000. */
  5001.  
  5002. /*
  5003. Class: Scroller
  5004.     The Scroller is a class to scroll any element with an overflow (including the window) when the mouse cursor reaches certain buondaries of that element.
  5005.     You must call its start method to start listening to mouse movements.
  5006.  
  5007. Arguments:
  5008.     element - required, the element to scroll.
  5009.     options - optional, see options below, and <Fx.Base> options.
  5010.  
  5011. Options:
  5012.     area - integer, the necessary boundaries to make the element scroll.
  5013.     velocity - integer, velocity ratio, the modifier for the window scrolling speed.
  5014.     onChange - optionally, when the mouse reaches some boundaries, you can choose to alter some other values, instead of the scrolling offsets.
  5015.         Automatically passes as parameters x and y values.
  5016. */
  5017.  
  5018. var Scroller = new Class({
  5019.  
  5020.     getOptions: function(){
  5021.         return {
  5022.             area: 20,
  5023.             velocity: 1,
  5024.             onChange: function(x, y){
  5025.                 this.element.scrollTo(x, y);
  5026.             }
  5027.         };
  5028.     },
  5029.  
  5030.     initialize: function(element, options){
  5031.         this.setOptions(this.getOptions(), options);
  5032.         this.element = $(element);
  5033.         this.mousemover = ([window, document].test(element)) ? $(document.body) : this.element;
  5034.     },
  5035.  
  5036.     /*
  5037.     Property: start
  5038.         The scroller starts listening to mouse movements.
  5039.     */
  5040.  
  5041.     start: function(){
  5042.         this.coord = this.getCoords.bindWithEvent(this);
  5043.         this.mousemover.addEvent('mousemove', this.coord);
  5044.     },
  5045.  
  5046.     /*
  5047.     Property: stop
  5048.         The scroller stops listening to mouse movements.
  5049.     */
  5050.  
  5051.     stop: function(){
  5052.         this.mousemover.removeEvent('mousemove', this.coord);
  5053.         this.timer = $clear(this.timer);
  5054.     },
  5055.  
  5056.     getCoords: function(event){
  5057.         this.page = (this.element == window) ? event.client : event.page;
  5058.         if (!this.timer) this.timer = this.scroll.periodical(50, this);
  5059.     },
  5060.  
  5061.     scroll: function(){
  5062.         var el = this.element.getSize();
  5063.         var pos = this.element.getPosition();
  5064.  
  5065.         var change = {'x': 0, 'y': 0};
  5066.         for (var z in this.page){
  5067.             if (this.page[z] < (this.options.area + pos[z]) && el.scroll[z] != 0)
  5068.                 change[z] = (this.page[z] - this.options.area - pos[z]) * this.options.velocity;
  5069.             else if (this.page[z] + this.options.area > (el.size[z] + pos[z]) && el.scroll[z] + el.size[z] != el.scrollSize[z])
  5070.                 change[z] = (this.page[z] - el.size[z] + this.options.area - pos[z]) * this.options.velocity;
  5071.         }
  5072.         if (change.y || change.x) this.fireEvent('onChange', [el.scroll.x + change.x, el.scroll.y + change.y]);
  5073.     }
  5074.  
  5075. });
  5076.  
  5077. Scroller.implement(new Events);
  5078. Scroller.implement(new Options);
  5079.  
  5080. /*
  5081. Script: Slider.js
  5082.     Contains <Slider>
  5083.  
  5084. Author:
  5085.     Valerio Proietti, <http://mad4milk.net>
  5086.  
  5087. License:
  5088.     MIT-style license.
  5089. */
  5090.  
  5091. /*
  5092. Class: Slider
  5093.     Creates a slider with two elements: a knob and a container. Returns the values.
  5094.  
  5095. Arguments:
  5096.     element - the knob container
  5097.     knob - the handle
  5098.     options - see Options below
  5099.  
  5100. Options:
  5101.     onChange - a function to fire when the value changes.
  5102.     onComplete - a function to fire when you're done dragging.
  5103.     onTick - optionally, you can alter the onTick behavior, for example displaying an effect of the knob moving to the desired position. 
  5104.         Passes as parameter the new position.
  5105.     steps - the number of steps for your slider.
  5106.     mode - either 'horizontal' or 'vertical'. defaults to horizontal.
  5107.     wheel - experimental! Also use the mouse wheel to control the slider. defaults to false.
  5108. */
  5109.  
  5110. var Slider = new Class({
  5111.  
  5112.     getOptions: function(){
  5113.         return {
  5114.             onChange: Class.empty,
  5115.             onComplete: Class.empty,
  5116.             onTick: function(pos){
  5117.                 this.knob.setStyle(this.p, pos+'px');
  5118.             },
  5119.             steps: 100,
  5120.             mode: 'horizontal',
  5121.             wheel: false
  5122.         };
  5123.     },
  5124.  
  5125.     initialize: function(el, knob, options){
  5126.         this.element = $(el);
  5127.         this.knob = $(knob);
  5128.         this.setOptions(this.getOptions(), options);
  5129.  
  5130.         this.previousChange = -1;
  5131.         this.previousEnd = -1;
  5132.         this.step = -1;
  5133.  
  5134.         this.element.addEvent('mousedown', this.clickedElement.bindWithEvent(this));
  5135.  
  5136.         if (this.options.wheel) this.element.addEvent('mousewheel', this.scrolledElement.bindWithEvent(this));
  5137.  
  5138.         if (this.options.mode == 'horizontal'){
  5139.             this.z = 'x'; this.p = 'left';
  5140.             this.max = this.element.offsetWidth-this.knob.offsetWidth;
  5141.             this.half = this.knob.offsetWidth/2;
  5142.             this.getPos = this.element.getLeft.bind(this.element);
  5143.         } else if (this.options.mode == 'vertical'){
  5144.             this.z = 'y'; this.p = 'top';
  5145.             this.max = this.element.offsetHeight-this.knob.offsetHeight;
  5146.             this.half = this.knob.offsetHeight/2;
  5147.             this.getPos = this.element.getTop.bind(this.element);
  5148.         }
  5149.  
  5150.         this.knob.setStyle('position', 'relative').setStyle(this.p, 0);
  5151.  
  5152.         var modSlide = {}, limSlide = {};
  5153.  
  5154.         limSlide[this.z] = [0, this.max];
  5155.         modSlide[this.z] = this.p;
  5156.  
  5157.         this.drag = new Drag.Base(this.knob, {
  5158.             limit: limSlide,
  5159.             snap: 0,
  5160.             modifiers: modSlide,
  5161.             onStart: function(){
  5162.                 this.draggedKnob();
  5163.             }.bind(this),
  5164.             onDrag: function(){
  5165.                 this.draggedKnob();
  5166.             }.bind(this),
  5167.             onComplete: function(){
  5168.                 this.draggedKnob();
  5169.                 this.end();
  5170.             }.bind(this)
  5171.         });
  5172.         if (this.options.initialize) this.options.initialize.call(this);
  5173.     },
  5174.  
  5175.     /*
  5176.     Property: set
  5177.         The slider will get the step you pass.
  5178.  
  5179.     Arguments:
  5180.         step - one integer
  5181.     */
  5182.  
  5183.     set: function(step){
  5184.         if (step > this.options.steps) step = this.options.steps;
  5185.         else if (step < 0) step = 0;
  5186.         this.step = step;
  5187.         this.checkStep();
  5188.         this.end();
  5189.         this.fireEvent('onTick', this.toPosition(this.step)+'');
  5190.         return this;
  5191.     },
  5192.  
  5193.     scrolledElement: function(event){
  5194.         if (event.wheel < 0) this.set(this.step + 1);
  5195.         else if (event.wheel > 0) this.set(this.step - 1);
  5196.         event.stop();
  5197.     },
  5198.  
  5199.     clickedElement: function(event){
  5200.         var position = event.page[this.z] - this.getPos() - this.half;
  5201.         if (position > this.max) position = this.max;
  5202.         else if (position < 0) position = 0;
  5203.         this.step = this.toStep(position);
  5204.         this.checkStep();
  5205.         this.end();
  5206.         this.fireEvent('onTick', position+'');
  5207.     },
  5208.  
  5209.     draggedKnob: function(){
  5210.         this.step = this.toStep(this.drag.value.now[this.z]);
  5211.         this.checkStep();
  5212.     },
  5213.  
  5214.     checkStep: function(){
  5215.         if (this.previousChange != this.step){
  5216.             this.previousChange = this.step;
  5217.             this.fireEvent('onChange', this.step);
  5218.         }
  5219.     },
  5220.  
  5221.     end: function(){
  5222.         if (this.previousEnd !== this.step){
  5223.             this.previousEnd = this.step;
  5224.             this.fireEvent('onComplete', this.step+'');
  5225.         }
  5226.     },
  5227.  
  5228.     toStep: function(position){
  5229.         return Math.round(position/this.max*this.options.steps);
  5230.     },
  5231.  
  5232.     toPosition: function(step){
  5233.         return (this.max)*step/this.options.steps;
  5234.     }
  5235.  
  5236. });
  5237.  
  5238. Slider.implement(new Events);
  5239. Slider.implement(new Options);
  5240.  
  5241. /*
  5242. Script: SmoothScroll.js
  5243.     Contains <SmoothScroll>
  5244.  
  5245. Author:
  5246.     Valerio Proietti, <http://mad4milk.net>
  5247.  
  5248. License:
  5249.     MIT-style license.
  5250. */
  5251.  
  5252. /*
  5253. Class: SmoothScroll
  5254.     Auto targets all the anchors in a page and display a smooth scrolling effect upon clicking them.
  5255.  
  5256. Arguments:
  5257.     options - the Fx.Base options (see: <Fx.Base>)
  5258.  
  5259. Example:
  5260.     >new SmoothScroll();
  5261. */
  5262.  
  5263. var SmoothScroll = Fx.Scroll.extend({
  5264.  
  5265.     initialize: function(options){
  5266.         this.addEvent('onCancel', this.clearChain);
  5267.         var location = window.location.href.match(/^[^#]*/)[0] + '#';
  5268.         $each(document.links, function(lnk){
  5269.             if (lnk.href.indexOf(location) != 0) return;
  5270.             var anchor = lnk.href.substr(location.length);
  5271.             if (anchor && $(anchor)) this.useLink(lnk, anchor);
  5272.         }, this);
  5273.         this.parent(window, options);
  5274.     },
  5275.  
  5276.     useLink: function(lnk, anchor){
  5277.         lnk.addEvent('click', function(event){
  5278.             if(!window.khtml) this.chain(function(){
  5279.                 window.location.href = '#'+anchor;
  5280.             });
  5281.             this.toElement(anchor);
  5282.             event.stop();
  5283.         }.bindWithEvent(this));
  5284.     }
  5285.  
  5286. });
  5287.  
  5288. /*
  5289. Script: Sortables.js
  5290.     Contains <Sortables> Class.
  5291.  
  5292. Author:
  5293.     Valerio Proietti, <http://mad4milk.net>
  5294.  
  5295. License:
  5296.     MIT-style license.
  5297. */
  5298.  
  5299. /*
  5300. Class: Sortables
  5301.     Creates an interface for <Drag.Base> and drop, resorting of a list.
  5302.  
  5303. Arguments:
  5304.     list - required, the list that will become sortable.
  5305.     options - an Object, see options below.
  5306.  
  5307. Options:
  5308.     handles - a collection of elements to be used for drag handles. defaults to the elements.
  5309.     onStart - function executed when the item starts dragging
  5310.     onComplete - function executed when the item ends dragging
  5311. */
  5312.  
  5313. var Sortables = new Class({
  5314.  
  5315.     getOptions: function() {
  5316.         return {
  5317.             handles: false,
  5318.             onStart: Class.empty,
  5319.             onComplete: Class.empty,
  5320.             ghost: true,
  5321.             snap: 3,
  5322.             onDragStart: function(element, ghost){
  5323.                 ghost.setStyle('opacity', 0.5);
  5324.             },
  5325.             onDragComplete: function(element, ghost){
  5326.                 ghost.remove();
  5327.             }
  5328.         };
  5329.     },
  5330.  
  5331.     initialize: function(list, options){
  5332.         this.setOptions(this.getOptions(), options);
  5333.         this.list = $(list);
  5334.         this.elements = this.list.getChildren();
  5335.         this.handles = $$(this.options.handles) || this.elements;
  5336.         this.drag = [];
  5337.         this.bound = {'start': []};
  5338.         this.elements.each(function(el, i){
  5339.             this.bound.start[i] = this.start.bindWithEvent(this, el);
  5340.             if (this.options.ghost){
  5341.                 this.trash = new Element('div').injectInside(document.body);
  5342.                 var limit = this.list.getCoordinates();
  5343.                 this.drag[i] = new Drag.Base(el, {
  5344.                     handle: this.handles[i],
  5345.                     snap: this.options.snap,
  5346.                     modifiers: {y: 'top'},
  5347.                     limit: {y: [limit.top, limit.bottom - el.offsetHeight]},
  5348.                     onBeforeStart: function(element){
  5349.                         var offsets = element.getPosition();
  5350.                         this.old = element;
  5351.                         this.drag[i].element = this.ghost = element.clone().setStyles({
  5352.                             'position': 'absolute',
  5353.                             'top': offsets.y+'px',
  5354.                             'left': offsets.x+'px'
  5355.                         }).injectInside(this.trash);
  5356.                         this.fireEvent('onDragStart', [el, this.ghost]);
  5357.                     }.bind(this),
  5358.                     onComplete: function(element){
  5359.                         this.drag[i].element = this.old;
  5360.                         this.fireEvent('onDragComplete', [el, this.ghost]);
  5361.                     }.bind(this)
  5362.                 });
  5363.             }
  5364.             this.handles[i].addEvent('mousedown', this.start.bindWithEvent(this, el));
  5365.         }, this);
  5366.         if (this.options.initialize) this.options.initialize.call(this);
  5367.     },
  5368.  
  5369.     start: function(event, el){
  5370.         this.bound.move = this.move.bindWithEvent(this, el);
  5371.         this.bound.end = this.end.bind(this, el);
  5372.         document.addEvent('mousemove', this.bound.move);
  5373.         document.addEvent('mouseup', this.bound.end);
  5374.         this.fireEvent('onStart', el);
  5375.         event.stop();
  5376.     },
  5377.  
  5378.     move: function(event, el){
  5379.         var prev = el.getPrevious();
  5380.         var next = el.getNext();
  5381.         if (prev){
  5382.             var prevPos = prev.getCoordinates();
  5383.             if (event.page.y < prevPos.bottom) el.injectBefore(prev);
  5384.         }
  5385.         if (next){
  5386.             var nextPos = next.getCoordinates();
  5387.             if (event.page.y > nextPos.top) el.injectAfter(next);
  5388.         }
  5389.         event.stop();
  5390.     },
  5391.     
  5392.     detach: function(){
  5393.         this.elements.each(function(el, i){
  5394.             this.handles[i].removeEvent('mousedown', this.bound.start[i]);
  5395.         }, this);
  5396.     },
  5397.     
  5398.     serialize: function(){
  5399.         var serial = [];
  5400.         this.list.getChildren().each(function(el, i){
  5401.             serial[i] = this.elements.indexOf(el);
  5402.         }, this);
  5403.         return serial;
  5404.     },
  5405.  
  5406.     end: function(el){
  5407.         document.removeEvent('mousemove', this.bound.move);
  5408.         document.removeEvent('mouseup', this.bound.end);
  5409.         this.fireEvent('onComplete', el);
  5410.     }
  5411.  
  5412. });
  5413.  
  5414. Sortables.implement(new Events);
  5415. Sortables.implement(new Options);
  5416.  
  5417. /*
  5418. Script: Tips.js
  5419.     Tooltips, BubbleTips, whatever they are, they will appear on mouseover
  5420.  
  5421. Author:
  5422.     Valerio Proietti, <http://mad4milk.net>
  5423.  
  5424. License:
  5425.     MIT-style license.
  5426.  
  5427. Credits:
  5428.     The idea behind Tips.js is based on Bubble Tooltips (<http://web-graphics.com/mtarchive/001717.php>) by Alessandro Fulcitiniti <http://web-graphics.com>
  5429. */
  5430.  
  5431. /*
  5432. Class: Tips
  5433.     Display a tip on any element with a title and/or href.
  5434.  
  5435. Arguments: 
  5436.     elements - a collection of elements to apply the tooltips to on mouseover.
  5437.     options - an object. See options Below.
  5438.  
  5439. Options:
  5440.     maxTitleChars - the maximum number of characters to display in the title of the tip. defaults to 30.
  5441.     timeOut - the delay to wait to show the tip (how long the user must hover to have the tooltip appear). defaults to 100.
  5442.  
  5443.     onShow - optionally you can alter the default onShow behaviour with this option (like displaying a fade in effect);
  5444.     onHide - optionally you can alter the default onHide behaviour with this option (like displaying a fade out effect);
  5445.  
  5446.     showDelay - the delay the onShow method is called. (defaults to 100 ms)
  5447.     hideDelay - the delay the onHide method is called. (defaults to 100 ms)
  5448.  
  5449.     className - the prefix for your tooltip classNames. defaults to 'tool'. 
  5450.         the whole tooltip will have as classname: tool-tip
  5451.         the title will have as classname: tool-title
  5452.         the text will have as classname: tool-text
  5453.  
  5454.     offsets - the distance of your tooltip from the mouse. an Object with x/y properties.
  5455.  
  5456.     fixed - if set to true, the toolTip will not follow the mouse.
  5457.  
  5458. Example:
  5459.     (start code)
  5460.     <img src="/images/i.png" title="The body of the tooltip is stored in the title" class="toolTipImg"/>
  5461.     <script>
  5462.         var myTips = new Tips($$('.toolTipImg'), {
  5463.             maxTitleChars: 50    //I like my captions a little long
  5464.         });
  5465.     </script>
  5466.     (end)
  5467. */
  5468.  
  5469. var Tips = new Class({
  5470.  
  5471.     getOptions: function(){
  5472.         return {
  5473.             onShow: function(tip){
  5474.                 tip.setStyle('visibility', 'visible');
  5475.             },
  5476.             onHide: function(tip){
  5477.                 tip.setStyle('visibility', 'hidden');
  5478.             },
  5479.             maxTitleChars: 30,
  5480.             showDelay: 100,
  5481.             hideDelay: 100,
  5482.             className: 'tool',
  5483.             offsets: {'x': 16, 'y': 16},
  5484.             fixed: false
  5485.         };
  5486.     },
  5487.  
  5488.     initialize: function(elements, options){
  5489.         this.setOptions(this.getOptions(), options);
  5490.         this.toolTip = new Element('div').addClass(this.options.className+'-tip').setStyles({
  5491.             'position': 'absolute',
  5492.             'top': '0',
  5493.             'left': '0',
  5494.             'visibility': 'hidden'
  5495.         }).injectInside(document.body);
  5496.         this.wrapper = new Element('div').injectInside(this.toolTip);
  5497.         $each(elements, function(el){
  5498.             this.build($(el));
  5499.         }, this);
  5500.         if (this.options.initialize) this.options.initialize.call(this);
  5501.     },
  5502.  
  5503.     build: function(el){
  5504.         el.myTitle = el.href ? el.href.replace('http://', '') : (el.rel || false);
  5505.         if (el.title){
  5506.             var dual = el.title.split('::');
  5507.             if (dual.length > 1) {
  5508.                 el.myTitle = dual[0].trim();
  5509.                 el.myText = dual[1].trim();
  5510.             } else {
  5511.                 el.myText = el.title;
  5512.             }
  5513.             el.removeAttribute('title');
  5514.         } else {
  5515.             el.myText = false;
  5516.         }
  5517.         if (el.myTitle && el.myTitle.length > this.options.maxTitleChars) el.myTitle = el.myTitle.substr(0, this.options.maxTitleChars - 1) + "…";
  5518.         el.addEvent('mouseover', function(event){
  5519.             this.start(el);
  5520.             this.locate(event);
  5521.         }.bindWithEvent(this));
  5522.         if (!this.options.fixed) el.addEvent('mousemove', this.locate.bindWithEvent(this));
  5523.         el.addEvent('mouseout', this.end.bindWithEvent(this));
  5524.     },
  5525.  
  5526.     start: function(el){
  5527.         this.wrapper.setHTML('');
  5528.         if (el.myTitle){
  5529.             new Element('span').injectInside(
  5530.                 new Element('div').addClass(this.options.className+'-title').injectInside(this.wrapper)
  5531.             ).setHTML(el.myTitle);
  5532.         }
  5533.         if (el.myText){
  5534.             new Element('span').injectInside(
  5535.                 new Element('div').addClass(this.options.className+'-text').injectInside(this.wrapper)
  5536.             ).setHTML(el.myText);
  5537.         }
  5538.         $clear(this.timer);
  5539.         this.timer = this.show.delay(this.options.showDelay, this);
  5540.     },
  5541.  
  5542.     end: function(event){
  5543.         $clear(this.timer);
  5544.         this.timer = this.hide.delay(this.options.hideDelay, this);
  5545.         event.stop();
  5546.     },
  5547.  
  5548.     locate: function(event){
  5549.         var win = {'x': window.getWidth(), 'y': window.getHeight()};
  5550.         var scroll = {'x': window.getScrollLeft(), 'y': window.getScrollTop()};
  5551.         var tip = {'x': this.toolTip.offsetWidth, 'y': this.toolTip.offsetHeight};
  5552.         var prop = {'x': 'left', 'y': 'top'};
  5553.         for (var z in prop){
  5554.             var pos = event.page[z] + this.options.offsets[z];
  5555.             if ((pos + tip[z] - scroll[z]) > win[z]) pos = event.page[z] - this.options.offsets[z] - tip[z];
  5556.             this.toolTip.setStyle(prop[z], pos + 'px');
  5557.         };
  5558.         event.stop();
  5559.     },
  5560.  
  5561.     show: function(){
  5562.         this.fireEvent('onShow', [this.toolTip]);
  5563.     },
  5564.  
  5565.     hide: function(){
  5566.         this.fireEvent('onHide', [this.toolTip]);
  5567.     }
  5568.  
  5569. });
  5570.  
  5571. Tips.implement(new Events);
  5572. Tips.implement(new Options);